In this project, you'll generate your own Simpsons TV scripts using RNNs. You'll be using part of the Simpsons dataset of scripts from 27 seasons. The Neural Network you'll build will generate a new TV script for a scene at Moe's Tavern.
The data is already provided for you. You'll be using a subset of the original dataset. It consists of only the scenes in Moe's Tavern. This doesn't include other versions of the tavern, like "Moe's Cavern", "Flaming Moe's", "Uncle Moe's Family Feed-Bag", etc..
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper
data_dir = './data/simpsons/moes_tavern_lines.txt'
text = helper.load_data(data_dir)
# Ignore notice, since we don't use it for analysing the data
text = text[81:]
Play around with view_sentence_range to view different parts of the data.
view_sentence_range = (0, 10)
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import numpy as np
print('Dataset Stats')
print('Roughly the number of unique words: {}'.format(len({word: None for word in text.split()})))
scenes = text.split('\n\n')
print('Number of scenes: {}'.format(len(scenes)))
sentence_count_scene = [scene.count('\n') for scene in scenes]
print('Average number of sentences in each scene: {}'.format(np.average(sentence_count_scene)))
sentences = [sentence for scene in scenes for sentence in scene.split('\n')]
print('Number of lines: {}'.format(len(sentences)))
word_count_sentence = [len(sentence.split()) for sentence in sentences]
print('Average number of words in each line: {}'.format(np.average(word_count_sentence)))
print()
print('The sentences {} to {}:'.format(*view_sentence_range))
print('\n'.join(text.split('\n')[view_sentence_range[0]:view_sentence_range[1]]))
Dataset Stats Roughly the number of unique words: 11492 Number of scenes: 262 Average number of sentences in each scene: 15.248091603053435 Number of lines: 4257 Average number of words in each line: 11.50434578341555 The sentences 0 to 10: Moe_Szyslak: (INTO PHONE) Moe's Tavern. Where the elite meet to drink. Bart_Simpson: Eh, yeah, hello, is Mike there? Last name, Rotch. Moe_Szyslak: (INTO PHONE) Hold on, I'll check. (TO BARFLIES) Mike Rotch. Mike Rotch. Hey, has anybody seen Mike Rotch, lately? Moe_Szyslak: (INTO PHONE) Listen you little puke. One of these days I'm gonna catch you, and I'm gonna carve my name on your back with an ice pick. Moe_Szyslak: What's the matter Homer? You're not your normal effervescent self. Homer_Simpson: I got my problems, Moe. Give me another one. Moe_Szyslak: Homer, hey, you should not drink to forget your problems. Barney_Gumble: Yeah, you should only drink to enhance your social skills.
The first thing to do to any dataset is preprocessing. Implement the following preprocessing functions below:
To create a word embedding, you first need to transform the words to ids. In this function, create two dictionaries:
vocab_to_intint_to_vocabReturn these dictionaries in the following tuple (vocab_to_int, int_to_vocab)
import numpy as np
import problem_unittests as tests
from collections import Counter
def create_lookup_tables(text):
"""
Create lookup tables for vocabulary
:param text: The text of tv scripts split into words
:return: A tuple of dicts (vocab_to_int, int_to_vocab)
"""
# TODO: Implement Function
vocab = set(text)
vocab_to_int = {c: i for i, c in enumerate(vocab)}
int_to_vocab = dict(enumerate(vocab))
return vocab_to_int, int_to_vocab
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_create_lookup_tables(create_lookup_tables)
Tests Passed
We'll be splitting the script into a word array using spaces as delimiters. However, punctuations like periods and exclamation marks make it hard for the neural network to distinguish between the word "bye" and "bye!".
Implement the function token_lookup to return a dict that will be used to tokenize symbols like "!" into "||Exclamation_Mark||". Create a dictionary for the following symbols where the symbol is the key and value is the token:
This dictionary will be used to token the symbols and add the delimiter (space) around it. This separates the symbols as it's own word, making it easier for the neural network to predict on the next word. Make sure you don't use a token that could be confused as a word. Instead of using the token "dash", try using something like "||dash||".
def token_lookup():
"""
Generate a dict to turn punctuation into a token.
:return: Tokenize dictionary where the key is the punctuation and the value is the token
"""
# TODO: Implement Function
return {'.':'<PERIOD>',',':'<COMMA>','"':'<QUOTATION_MARK>',';':'<SEMICOLON>','!':'<EXCLAMATION_MARK>','?':'<QUESTION_MARK>','(':'<LEFT_PAREN>',')':'<RIGHT_PAREN>','--':'<DASH>','\n':'<RETURN>'}
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_tokenize(token_lookup)
Tests Passed
Running the code cell below will preprocess all the data and save it to file.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Preprocess Training, Validation, and Testing Data
helper.preprocess_and_save_data(data_dir, token_lookup, create_lookup_tables)
This is your first checkpoint. If you ever decide to come back to this notebook or have to restart the notebook, you can start from here. The preprocessed data has been saved to disk.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import helper
import numpy as np
import problem_unittests as tests
int_text, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from distutils.version import LooseVersion
import warnings
import tensorflow as tf
tf.__version__
# Check TensorFlow Version
assert LooseVersion(tf.__version__) >= LooseVersion('1.0'), 'Please use TensorFlow version 1.0 or newer'
print('TensorFlow Version: {}'.format(tf.__version__))
# Check for a GPU
if not tf.test.gpu_device_name():
warnings.warn('No GPU found. Please use a GPU to train your neural network.')
else:
print('Default GPU Device: {}'.format(tf.test.gpu_device_name()))
TensorFlow Version: 1.0.0 Default GPU Device: /gpu:0
Implement the get_inputs() function to create TF Placeholders for the Neural Network. It should create the following placeholders:
name parameter.Return the placeholders in the following the tuple (Input, Targets, LearingRate)
def get_inputs():
"""
Create TF Placeholders for input, targets, and learning rate.
:return: Tuple (input, targets, learning rate)
"""
# TODO: Implement Function
Input = tf.placeholder(tf.int32, [None, None], name = 'input')
Targets = tf.placeholder(tf.int32, [None, None], name = 'targets')
LearningRate = tf.placeholder (tf.float32, name = 'learning_rate')
return (Input, Targets, LearningRate)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_inputs(get_inputs)
Tests Passed
Stack one or more BasicLSTMCells in a MultiRNNCell.
rnn_sizezero_state() functiontf.identity()Return the cell and initial state in the following tuple (Cell, InitialState)
def get_init_cell(batch_size, rnn_size):
"""
Create an RNN Cell and initialize it.
:param batch_size: Size of batches
:param rnn_size: Size of RNNs
:return: Tuple (cell, initialize state)
"""
num_of_lstm_layers = 4
keep_prob = 0.5
cell = tf.contrib.rnn.BasicLSTMCell(rnn_size)
drop = tf.contrib.rnn.DropoutWrapper(cell, output_keep_prob=keep_prob)
cell = tf.contrib.rnn.MultiRNNCell([drop] * num_of_lstm_layers)
initial_state = tf.identity(cell.zero_state(batch_size, tf.float32), name = 'initial_state')
return (cell, initial_state)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_init_cell(get_init_cell)
Tests Passed
Apply embedding to input_data using TensorFlow. Return the embedded sequence.
def get_embed(input_data, vocab_size, embed_dim):
"""
Create embedding for <input_data>.
:param input_data: TF placeholder for text input.
:param vocab_size: Number of words in vocabulary.
:param embed_dim: Number of embedding dimensions
:return: Embedded input.
"""
# TODO: Implement Function
embedding = tf.Variable(tf.random_uniform((vocab_size, embed_dim), -1, 1))
embed = tf.nn.embedding_lookup(embedding, input_data)
return embed
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_embed(get_embed)
Tests Passed
You created a RNN Cell in the get_init_cell() function. Time to use the cell to create a RNN.
tf.nn.dynamic_rnn()tf.identity()Return the outputs and final_state state in the following tuple (Outputs, FinalState)
def build_rnn(cell, inputs):
"""
Create a RNN using a RNN Cell
:param cell: RNN Cell
:param inputs: Input text data
:return: Tuple (Outputs, Final State)
"""
# TODO: Implement Function
outputs, final_state = tf.nn.dynamic_rnn(cell, inputs, dtype=tf.float32)
final_state = tf.identity(final_state, name='final_state')
return outputs, final_state
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_rnn(build_rnn)
Tests Passed
Apply the functions you implemented above to:
input_data using your get_embed(input_data, vocab_size, embed_dim) function.cell and your build_rnn(cell, inputs) function.vocab_size as the number of outputs.Return the logits and final state in the following tuple (Logits, FinalState)
def build_nn(cell, rnn_size, input_data, vocab_size):
"""
Build part of the neural network
:param cell: RNN cell
:param rnn_size: Size of rnns
:param input_data: Input data
:param vocab_size: Vocabulary size
:return: Tuple (Logits, FinalState)
"""
# TODO: Implement Function
embed = get_embed(input_data, vocab_size, rnn_size)
outputs, final_state = build_rnn(cell, embed)
logits = tf.contrib.layers.fully_connected(outputs, vocab_size,
weights_initializer=tf.truncated_normal_initializer(stddev=0.1),
biases_initializer=tf.zeros_initializer(),
activation_fn=None)
return (logits, final_state)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_build_nn(build_nn)
Tests Passed
Implement get_batches to create batches of input and targets using int_text. The batches should be a Numpy array with the shape (number of batches, 2, batch size, sequence length). Each batch contains two elements:
[batch size, sequence length][batch size, sequence length]If you can't fill the last batch with enough data, drop the last batch.
For exmple, get_batches([1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15], 2, 3) would return a Numpy array of the following:
[
# First Batch
[
# Batch of Input
[[ 1 2 3], [ 7 8 9]],
# Batch of targets
[[ 2 3 4], [ 8 9 10]]
],
# Second Batch
[
# Batch of Input
[[ 4 5 6], [10 11 12]],
# Batch of targets
[[ 5 6 7], [11 12 13]]
]
]
def get_batches(int_text, batch_size, seq_length):
"""
Return batches of input and target
:param int_text: Text with the words replaced by their ids
:param batch_size: The size of batch
:param seq_length: The length of sequence
:return: Batches as a Numpy array
"""
# TODO: Implement Function
n_batches = int(len(int_text) / (batch_size * seq_length))
xdata = np.array(int_text[: n_batches * batch_size * seq_length])
ydata = np.array(int_text[1: n_batches * batch_size * seq_length + 1])
x_batches = np.split(xdata.reshape(batch_size, -1), n_batches, 1)
y_batches = np.split(ydata.reshape(batch_size, -1), n_batches, 1)
return np.array(list(zip(x_batches, y_batches)))
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_batches(get_batches)
Tests Passed
Tune the following parameters:
num_epochs to the number of epochs.batch_size to the batch size.rnn_size to the size of the RNNs.seq_length to the length of sequence.learning_rate to the learning rate.show_every_n_batches to the number of batches the neural network should print progress.# Number of Epochs
num_epochs = 300
# Batch Size
batch_size = 256
# RNN Size
rnn_size = 704
# Sequence Length
seq_length = 11
# Learning Rate
learning_rate = 0.009
# Show stats for every n number of batches
show_every_n_batches = 100
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
save_dir = './save'
Build the graph using the neural network you implemented.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
from tensorflow.contrib import seq2seq
train_graph = tf.Graph()
with train_graph.as_default():
vocab_size = len(int_to_vocab)
input_text, targets, lr = get_inputs()
input_data_shape = tf.shape(input_text)
cell, initial_state = get_init_cell(input_data_shape[0], rnn_size)
logits, final_state = build_nn(cell, rnn_size, input_text, vocab_size)
# Probabilities for generating words
probs = tf.nn.softmax(logits, name='probs')
# Loss function
cost = seq2seq.sequence_loss(
logits,
targets,
tf.ones([input_data_shape[0], input_data_shape[1]]))
# Optimizer
optimizer = tf.train.AdamOptimizer(lr)
# Gradient Clipping
gradients = optimizer.compute_gradients(cost)
capped_gradients = [(tf.clip_by_value(grad, -1., 1.), var) for grad, var in gradients]
train_op = optimizer.apply_gradients(capped_gradients)
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
batches = get_batches(int_text, batch_size, seq_length)
with tf.Session(graph=train_graph) as sess:
sess.run(tf.global_variables_initializer())
for epoch_i in range(num_epochs):
state = sess.run(initial_state, {input_text: batches[0][0]})
for batch_i, (x, y) in enumerate(batches):
feed = {
input_text: x,
targets: y,
initial_state: state,
lr: learning_rate}
train_loss, state, _ = sess.run([cost, final_state, train_op], feed)
# Show every <show_every_n_batches> batches
if (epoch_i * len(batches) + batch_i) % show_every_n_batches == 0:
print('Epoch {:>3} Batch {:>4}/{} train_loss = {:.3f}'.format(
epoch_i,
batch_i,
len(batches),
train_loss))
# Save Model
saver = tf.train.Saver()
saver.save(sess, save_dir)
print('Model Trained and Saved')
Epoch 0 Batch 0/41 train_loss = 8.822 Epoch 2 Batch 18/41 train_loss = 6.089 Epoch 4 Batch 36/41 train_loss = 5.247 Epoch 7 Batch 13/41 train_loss = 5.075 Epoch 9 Batch 31/41 train_loss = 4.863 Epoch 12 Batch 8/41 train_loss = 4.820 Epoch 14 Batch 26/41 train_loss = 4.615 Epoch 17 Batch 3/41 train_loss = 4.412 Epoch 19 Batch 21/41 train_loss = 4.222 Epoch 21 Batch 39/41 train_loss = 4.117 Epoch 24 Batch 16/41 train_loss = 4.049 Epoch 26 Batch 34/41 train_loss = 3.809 Epoch 29 Batch 11/41 train_loss = 3.745 Epoch 31 Batch 29/41 train_loss = 3.505 Epoch 34 Batch 6/41 train_loss = 3.332 Epoch 36 Batch 24/41 train_loss = 3.275 Epoch 39 Batch 1/41 train_loss = 3.220 Epoch 41 Batch 19/41 train_loss = 3.069 Epoch 43 Batch 37/41 train_loss = 3.000 Epoch 46 Batch 14/41 train_loss = 2.994 Epoch 48 Batch 32/41 train_loss = 2.838 Epoch 51 Batch 9/41 train_loss = 2.931 Epoch 53 Batch 27/41 train_loss = 2.675 Epoch 56 Batch 4/41 train_loss = 2.689 Epoch 58 Batch 22/41 train_loss = 2.451 Epoch 60 Batch 40/41 train_loss = 2.551 Epoch 63 Batch 17/41 train_loss = 2.378 Epoch 65 Batch 35/41 train_loss = 2.441 Epoch 68 Batch 12/41 train_loss = 2.371 Epoch 70 Batch 30/41 train_loss = 2.336 Epoch 73 Batch 7/41 train_loss = 2.282 Epoch 75 Batch 25/41 train_loss = 2.212 Epoch 78 Batch 2/41 train_loss = 2.305 Epoch 80 Batch 20/41 train_loss = 2.160 Epoch 82 Batch 38/41 train_loss = 2.197 Epoch 85 Batch 15/41 train_loss = 2.155 Epoch 87 Batch 33/41 train_loss = 2.107 Epoch 90 Batch 10/41 train_loss = 2.100 Epoch 92 Batch 28/41 train_loss = 2.121 Epoch 95 Batch 5/41 train_loss = 2.044 Epoch 97 Batch 23/41 train_loss = 1.993 Epoch 100 Batch 0/41 train_loss = 2.008 Epoch 102 Batch 18/41 train_loss = 2.004 Epoch 104 Batch 36/41 train_loss = 1.945 Epoch 107 Batch 13/41 train_loss = 1.901 Epoch 109 Batch 31/41 train_loss = 1.974 Epoch 112 Batch 8/41 train_loss = 1.962 Epoch 114 Batch 26/41 train_loss = 1.962 Epoch 117 Batch 3/41 train_loss = 2.047 Epoch 119 Batch 21/41 train_loss = 1.925 Epoch 121 Batch 39/41 train_loss = 1.914 Epoch 124 Batch 16/41 train_loss = 1.910 Epoch 126 Batch 34/41 train_loss = 1.893 Epoch 129 Batch 11/41 train_loss = 1.902 Epoch 131 Batch 29/41 train_loss = 1.946 Epoch 134 Batch 6/41 train_loss = 1.803 Epoch 136 Batch 24/41 train_loss = 1.837 Epoch 139 Batch 1/41 train_loss = 1.873 Epoch 141 Batch 19/41 train_loss = 1.830 Epoch 143 Batch 37/41 train_loss = 1.796 Epoch 146 Batch 14/41 train_loss = 1.861 Epoch 148 Batch 32/41 train_loss = 1.841 Epoch 151 Batch 9/41 train_loss = 1.937 Epoch 153 Batch 27/41 train_loss = 1.866 Epoch 156 Batch 4/41 train_loss = 1.857 Epoch 158 Batch 22/41 train_loss = 1.793 Epoch 160 Batch 40/41 train_loss = 1.846 Epoch 163 Batch 17/41 train_loss = 1.802 Epoch 165 Batch 35/41 train_loss = 1.877 Epoch 168 Batch 12/41 train_loss = 1.742 Epoch 170 Batch 30/41 train_loss = 1.720 Epoch 173 Batch 7/41 train_loss = 1.677 Epoch 175 Batch 25/41 train_loss = 1.670 Epoch 178 Batch 2/41 train_loss = 1.838 Epoch 180 Batch 20/41 train_loss = 1.743 Epoch 182 Batch 38/41 train_loss = 1.840 Epoch 185 Batch 15/41 train_loss = 1.722 Epoch 187 Batch 33/41 train_loss = 1.727 Epoch 190 Batch 10/41 train_loss = 1.757 Epoch 192 Batch 28/41 train_loss = 1.718 Epoch 195 Batch 5/41 train_loss = 1.703 Epoch 197 Batch 23/41 train_loss = 1.720 Epoch 200 Batch 0/41 train_loss = 1.744 Epoch 202 Batch 18/41 train_loss = 1.748 Epoch 204 Batch 36/41 train_loss = 1.747 Epoch 207 Batch 13/41 train_loss = 1.681 Epoch 209 Batch 31/41 train_loss = 1.775 Epoch 212 Batch 8/41 train_loss = 1.743 Epoch 214 Batch 26/41 train_loss = 1.787 Epoch 217 Batch 3/41 train_loss = 1.812 Epoch 219 Batch 21/41 train_loss = 1.719 Epoch 221 Batch 39/41 train_loss = 1.795 Epoch 224 Batch 16/41 train_loss = 1.748 Epoch 226 Batch 34/41 train_loss = 1.711 Epoch 229 Batch 11/41 train_loss = 1.780 Epoch 231 Batch 29/41 train_loss = 1.757 Epoch 234 Batch 6/41 train_loss = 1.676 Epoch 236 Batch 24/41 train_loss = 1.746 Epoch 239 Batch 1/41 train_loss = 1.813 Epoch 241 Batch 19/41 train_loss = 1.749 Epoch 243 Batch 37/41 train_loss = 1.735 Epoch 246 Batch 14/41 train_loss = 1.772 Epoch 248 Batch 32/41 train_loss = 1.777 Epoch 251 Batch 9/41 train_loss = 1.770 Epoch 253 Batch 27/41 train_loss = 1.721 Epoch 256 Batch 4/41 train_loss = 1.807 Epoch 258 Batch 22/41 train_loss = 1.680 Epoch 260 Batch 40/41 train_loss = 1.709 Epoch 263 Batch 17/41 train_loss = 1.785 Epoch 265 Batch 35/41 train_loss = 1.756 Epoch 268 Batch 12/41 train_loss = 1.702 Epoch 270 Batch 30/41 train_loss = 1.722 Epoch 273 Batch 7/41 train_loss = 1.740 Epoch 275 Batch 25/41 train_loss = 1.686 Epoch 278 Batch 2/41 train_loss = 1.713 Epoch 280 Batch 20/41 train_loss = 1.641 Epoch 282 Batch 38/41 train_loss = 1.745 Epoch 285 Batch 15/41 train_loss = 1.751 Epoch 287 Batch 33/41 train_loss = 1.753 Epoch 290 Batch 10/41 train_loss = 1.763 Epoch 292 Batch 28/41 train_loss = 1.705 Epoch 295 Batch 5/41 train_loss = 1.751 Epoch 297 Batch 23/41 train_loss = 1.785 Model Trained and Saved
Save seq_length and save_dir for generating a new TV script.
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
# Save parameters for checkpoint
helper.save_params((seq_length, save_dir))
"""
DON'T MODIFY ANYTHING IN THIS CELL
"""
import tensorflow as tf
import numpy as np
import helper
import problem_unittests as tests
_, vocab_to_int, int_to_vocab, token_dict = helper.load_preprocess()
seq_length, load_dir = helper.load_params()
Get tensors from loaded_graph using the function get_tensor_by_name(). Get the tensors using the following names:
Return the tensors in the following tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
def get_tensors(loaded_graph):
"""
Get input, initial state, final state, and probabilities tensor from <loaded_graph>
:param loaded_graph: TensorFlow graph loaded from file
:return: Tuple (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
"""
# TODO: Implement Function
InputTensor = loaded_graph.get_tensor_by_name("input:0")
InitialStateTensor = loaded_graph.get_tensor_by_name("initial_state:0")
FinalStateTensor = loaded_graph.get_tensor_by_name("final_state:0")
ProbsTensor = loaded_graph.get_tensor_by_name("probs:0")
return (InputTensor, InitialStateTensor, FinalStateTensor, ProbsTensor)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_get_tensors(get_tensors)
Tests Passed
Implement the pick_word() function to select the next word using probabilities.
def pick_word(probabilities, int_to_vocab):
"""
Pick the next word in the generated text
:param probabilities: Probabilites of the next word
:param int_to_vocab: Dictionary of word ids as the keys and words as the values
:return: String of the predicted word
"""
# TODO: Implement Function
print (probabilities)
print (int_to_vocab)
return np.random.choice(list(int_to_vocab.values()), p=probabilities)
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
tests.test_pick_word(pick_word)
[ 0.1 0.8 0.05 0.05]
{0: 'this', 1: 'is', 2: 'a', 3: 'test'}
Tests Passed
This will generate the TV script for you. Set gen_length to the length of TV script you want to generate.
gen_length = 100
# homer_simpson, moe_szyslak, or Barney_Gumble
prime_word = 'moe_szyslak'
"""
DON'T MODIFY ANYTHING IN THIS CELL THAT IS BELOW THIS LINE
"""
loaded_graph = tf.Graph()
with tf.Session(graph=loaded_graph) as sess:
# Load saved model
loader = tf.train.import_meta_graph(load_dir + '.meta')
loader.restore(sess, load_dir)
# Get Tensors from loaded model
input_text, initial_state, final_state, probs = get_tensors(loaded_graph)
# Sentences generation setup
gen_sentences = [prime_word + ':']
prev_state = sess.run(initial_state, {input_text: np.array([[1]])})
# Generate sentences
for n in range(gen_length):
# Dynamic Input
dyn_input = [[vocab_to_int[word] for word in gen_sentences[-seq_length:]]]
dyn_seq_length = len(dyn_input[0])
# Get Prediction
probabilities, prev_state = sess.run(
[probs, final_state],
{input_text: dyn_input, initial_state: prev_state})
pred_word = pick_word(probabilities[dyn_seq_length-1], int_to_vocab)
gen_sentences.append(pred_word)
# Remove tokens
tv_script = ' '.join(gen_sentences)
for key, token in token_dict.items():
ending = ' ' if key in ['\n', '(', '"'] else ''
tv_script = tv_script.replace(' ' + token.lower(), key)
tv_script = tv_script.replace('\n ', '\n')
tv_script = tv_script.replace('( ', '(')
print(tv_script)
[ 1.19640853e-12 4.07364587e-06 8.56983234e-11 ..., 4.10233642e-13
2.04093311e-07 2.55578579e-11]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.70988805e-08 2.85976309e-08 3.45300975e-11 ..., 8.71288908e-09
8.40994971e-07 6.08635773e-08]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.82230536e-16 5.84409040e-13 1.91639770e-19 ..., 9.24372801e-11
7.23015194e-14 2.68051411e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 9.97988045e-20 5.61336012e-11 1.65849794e-20 ..., 2.27681009e-22
5.32352101e-18 4.62564286e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.68898821e-29 5.81649294e-18 3.61292974e-28 ..., 5.11404182e-17
1.34767626e-20 2.09257623e-27]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.47498751e-24 6.90518032e-20 3.20749148e-24 ..., 6.28289881e-20
3.34822924e-23 6.17089046e-24]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.27309052e-17 2.50093360e-17 5.53293551e-20 ..., 2.53994105e-16
3.83243945e-18 4.21513024e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.01662165e-20 5.90784756e-12 8.81477672e-24 ..., 7.98043357e-15
9.35657664e-25 1.41371789e-29]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.52070465e-22 4.54687006e-06 4.16050884e-16 ..., 6.79732825e-20
2.72892095e-18 4.34354721e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.06861954e-21 1.48313098e-11 5.28729445e-21 ..., 3.43333632e-21
5.24112180e-23 1.04794363e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 9.61740771e-19 8.35613689e-10 1.11496337e-16 ..., 4.43198682e-15
1.32918995e-10 6.72383383e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.76029747e-24 2.03400259e-18 2.56646033e-16 ..., 1.05462033e-23
1.55132020e-15 2.46557725e-19]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.44684408e-15 2.57363494e-13 7.58510791e-17 ..., 1.08188490e-15
1.53369545e-13 3.99841792e-11]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.01324005e-17 8.32416059e-13 5.54212251e-18 ..., 1.78556799e-18
1.53019541e-15 1.52012583e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 6.88983596e-26 1.28694011e-18 7.18839324e-24 ..., 6.74294823e-20
4.74974346e-20 1.00949033e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.93925733e-22 1.32580191e-16 6.97818026e-23 ..., 4.58826647e-25
2.69569745e-18 8.51708586e-18]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.96679759e-24 1.73115767e-17 1.25599524e-25 ..., 4.89647019e-21
1.07559462e-15 6.11222218e-27]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.08814280e-17 3.07594145e-10 4.08041347e-17 ..., 2.51589704e-11
3.21129762e-10 3.33247183e-13]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 6.27302675e-18 1.65638868e-14 3.31646279e-19 ..., 2.90337138e-19
4.72796342e-14 3.71932539e-18]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.75577383e-16 1.12791443e-09 1.14924477e-15 ..., 8.85100770e-10
1.88158046e-16 8.79188965e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.14590803e-24 1.24015891e-21 1.18243594e-25 ..., 2.57744178e-25
1.04101676e-22 1.86335459e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.24961559e-31 3.00774113e-26 2.14506441e-25 ..., 2.70982773e-24
1.53027527e-16 3.67400736e-31]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.41954041e-15 1.57447289e-09 2.46816110e-16 ..., 3.15690345e-13
1.37399638e-07 3.62115476e-24]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.42788085e-19 8.15541162e-16 2.07517270e-09 ..., 2.84429462e-14
1.56222203e-12 2.27364776e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 0.00000000e+00 0.00000000e+00 0.00000000e+00 ..., 0.00000000e+00
3.69728326e-32 0.00000000e+00]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.60214411e-21 3.29828879e-07 9.27678115e-26 ..., 5.35792138e-18
1.61299717e-12 5.82846586e-28]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.13607561e-20 2.25756981e-15 3.26662149e-25 ..., 1.26962232e-23
3.75579499e-21 1.55675603e-22]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 7.84204861e-16 1.73635707e-11 2.05148420e-12 ..., 6.96588880e-12
2.82505654e-13 3.92728038e-12]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.17478633e-13 7.93048329e-08 2.42653155e-16 ..., 9.42205081e-13
4.94355772e-12 1.30328997e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.87319291e-22 3.67074230e-14 1.18194480e-15 ..., 3.19689823e-19
4.88024216e-15 1.53025247e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.33971757e-17 5.28185317e-14 6.01280161e-14 ..., 4.14107327e-17
1.32952398e-15 1.06336549e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.80293385e-21 2.52546177e-15 8.47361126e-23 ..., 5.97947979e-19
2.68862805e-05 2.97617830e-28]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.32689399e-20 2.37157600e-15 3.47277078e-21 ..., 1.64309493e-21
1.06389831e-19 2.99692625e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.28691252e-10 1.94104086e-06 7.46055593e-05 ..., 3.79222077e-17
1.19521511e-11 4.04398086e-13]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.82472854e-20 1.62642041e-18 3.07433565e-18 ..., 4.99018492e-15
2.43129817e-15 9.30509426e-22]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.31261280e-25 4.05870615e-11 1.78399432e-21 ..., 2.00054316e-19
8.65342359e-16 1.33865046e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.85326745e-15 4.46714266e-09 3.74895766e-15 ..., 4.96311081e-09
1.73002305e-13 1.05703475e-11]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.58604089e-19 1.26278732e-17 1.11555694e-20 ..., 1.23445351e-16
5.78615553e-20 2.86655305e-19]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.41402278e-21 1.63054565e-08 6.62422714e-20 ..., 3.39412276e-04
1.36580454e-18 2.47296338e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.00998442e-15 1.77412633e-11 9.42319242e-20 ..., 2.58605446e-11
4.48601876e-12 3.03637142e-19]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.79195879e-28 1.18932505e-16 3.09237254e-28 ..., 1.75473172e-26
6.04539057e-19 1.80966035e-25]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.48445108e-15 7.50149827e-15 8.89180843e-17 ..., 3.65164409e-12
1.49271722e-13 1.26255149e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.30574639e-24 2.31313861e-12 1.83785118e-18 ..., 1.22407009e-21
2.50135152e-20 1.16021047e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.62192888e-28 3.29199687e-28 3.32042844e-33 ..., 9.72863840e-21
3.14902179e-19 8.77225241e-34]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.53480051e-10 1.90758120e-09 4.65312983e-10 ..., 3.84634194e-16
2.46855137e-07 7.29493831e-13]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.46108059e-25 3.47128495e-18 6.04051793e-21 ..., 3.63421587e-13
5.51264139e-21 7.75126080e-23]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.80775454e-31 4.52845486e-18 1.78055380e-33 ..., 3.08332114e-12
5.17218655e-27 9.84087513e-28]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.48436495e-24 5.65120971e-11 3.72349005e-23 ..., 8.43112624e-22
1.90665023e-27 2.75743095e-24]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.19862484e-24 1.64328817e-18 3.81513405e-20 ..., 1.20730552e-19
2.54071540e-23 2.13645744e-28]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.84781059e-18 1.34201931e-15 3.13105795e-21 ..., 2.25385003e-20
5.16690766e-22 1.29184897e-22]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.79694474e-22 2.28774821e-09 1.99423636e-29 ..., 7.83139397e-19
7.04306731e-16 1.54360321e-29]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.36146891e-25 1.98451360e-11 1.63240861e-24 ..., 1.64351068e-18
3.52144154e-17 2.86112112e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 6.64698833e-21 1.06424862e-15 3.12356906e-20 ..., 1.77721830e-28
3.26915939e-17 4.46895452e-18]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.31313883e-14 4.06320892e-14 1.09077250e-15 ..., 1.89241279e-11
6.56491458e-11 2.42948439e-11]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.47208266e-36 1.50068221e-29 6.79502178e-34 ..., 2.52548711e-24
7.26881876e-38 5.83020221e-29]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.03273465e-15 6.95633533e-14 8.90177365e-17 ..., 1.31912913e-13
4.69768376e-13 4.79100893e-15]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.09486967e-23 6.12632864e-19 1.27817703e-25 ..., 5.54020888e-20
5.13247223e-24 2.43986370e-25]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.68830711e-22 4.87942064e-24 5.36387646e-19 ..., 6.11215707e-18
2.14103244e-17 5.22780546e-18]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 6.20764931e-27 9.92946661e-31 4.50345539e-18 ..., 1.88531122e-21
9.45924732e-21 1.52549166e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.36054836e-26 8.85184327e-20 8.38761189e-25 ..., 4.69677863e-16
2.07969735e-22 1.42664878e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.03814878e-17 3.44916435e-12 2.22389513e-24 ..., 5.40849190e-24
1.17537675e-22 3.21965641e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.06617228e-16 5.60771281e-17 7.53089334e-20 ..., 1.84823633e-21
2.90432957e-18 6.09013380e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.31021269e-23 7.69710107e-20 2.29998070e-20 ..., 6.49722096e-30
6.99717702e-20 1.52356784e-12]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.17184309e-25 1.34463282e-20 2.26737596e-29 ..., 5.23423615e-21
3.90444072e-14 5.60516365e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.39223120e-22 2.70958321e-12 3.54182454e-23 ..., 2.00878443e-16
5.33228019e-17 3.77566601e-22]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.89066527e-25 1.48448655e-18 1.26390840e-22 ..., 7.48097057e-27
2.01039316e-17 3.06665358e-24]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.13373164e-22 7.65993658e-23 1.33187254e-26 ..., 4.36880784e-26
3.55236850e-20 1.19245179e-29]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.93914916e-23 4.55012280e-20 7.71337206e-28 ..., 5.38476193e-20
1.48340037e-24 1.00382802e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 4.15037831e-18 1.07009162e-14 1.64470180e-26 ..., 2.89603885e-14
1.69934695e-17 1.35617323e-15]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.03433208e-22 2.62573977e-17 1.52779742e-19 ..., 1.94570481e-14
1.84328663e-23 7.53582714e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 9.35521381e-23 3.47336465e-11 1.97655277e-28 ..., 4.04758964e-19
5.93700225e-20 5.62487171e-23]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 6.10513869e-22 3.39066936e-13 7.33532862e-21 ..., 2.96148116e-13
3.06817992e-16 9.59265281e-21]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.26143748e-21 2.15700435e-08 1.01169440e-20 ..., 1.42933787e-09
2.17335473e-11 1.39301513e-11]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.81137730e-22 1.81350802e-11 4.73804799e-25 ..., 3.29346553e-16
2.28081483e-21 4.95985155e-23]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 3.96403787e-20 7.33308319e-17 7.61445846e-21 ..., 6.58162531e-21
2.50460760e-16 9.65270276e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.55016159e-18 2.14039246e-14 3.90156013e-22 ..., 1.33673400e-13
4.75485791e-18 2.34102438e-22]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.50209926e-25 2.30370380e-17 8.10357746e-21 ..., 4.59900447e-33
2.70551810e-15 3.74048798e-27]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.34121216e-30 5.89863487e-17 2.55622892e-22 ..., 5.50465110e-20
7.84679938e-14 2.15859658e-29]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.64253090e-19 1.22985769e-12 7.54210101e-16 ..., 3.15163265e-21
4.06009568e-18 3.72710066e-12]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 7.93188382e-37 1.10522994e-23 9.76832984e-31 ..., 1.06201240e-33
1.70907147e-25 1.33718099e-37]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.61305561e-20 5.77690984e-20 1.55926738e-17 ..., 1.20524816e-18
1.88076271e-07 5.86137274e-20]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.88973000e-27 7.50707368e-17 3.83760061e-26 ..., 2.37202328e-30
9.18437604e-10 6.88898699e-31]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.43068284e-26 2.91303866e-22 2.59666355e-26 ..., 5.68765313e-16
5.31762508e-21 4.97487673e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 5.66473528e-15 1.14366232e-10 3.22861365e-17 ..., 1.63993526e-12
1.09691986e-11 4.98615791e-16]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 9.53241313e-29 9.25759448e-19 5.74991942e-36 ..., 3.70562634e-26
1.99678540e-20 9.64648451e-26]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 2.60583291e-15 1.70063972e-14 1.23982330e-24 ..., 1.74901695e-18
5.88995899e-18 2.75445784e-17]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.16368347e-26 3.68598729e-23 1.99633677e-24 ..., 1.42621072e-25
1.99926088e-26 5.85051988e-27]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 1.00543272e-11 1.91642502e-09 4.67818602e-08 ..., 3.90451921e-10
1.97152988e-10 1.27540212e-09]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football', 2678: 'sight-unseen', 2679: 'dreary', 2680: 'cell-ee', 2681: 'darts', 2682: 'quickly', 2683: 'rutabaga', 2684: 'delightfully', 2685: 'temple', 2686: 'baby', 2687: 'almond', 2688: 'julep', 2689: 'drederick', 2690: 'modern', 2691: 'steely-eyed', 2692: 'manage', 2693: 'thighs', 2694: 'decided', 2695: 'rent', 2696: 'billingsley', 2697: 'chips', 2698: 'devastated', 2699: 'local', 2700: 'zoomed', 2701: 'mayor', 2702: 'further', 2703: 'neat', 2704: 'disgraceful', 2705: 'everywhere', 2706: 'sangre', 2707: 'thorn', 2708: 'his', 2709: 'romantic', 2710: 'different', 2711: 'quadruple-sec', 2712: 'thirty', 2713: 'detail', 2714: 'bret', 2715: 'outlive', 2716: 'recently', 2717: 'voice:', 2718: 'set', 2719: 'like', 2720: 'fwooof', 2721: 'stole', 2722: 'suave', 2723: 'place', 2724: 'sponsor', 2725: 'completely', 2726: 'credit', 2727: 'optimistic', 2728: 'letter', 2729: 'kadlubowski', 2730: 'tyson/secretariat', 2731: 'bubble', 2732: 'obama', 2733: 'facebook', 2734: 'homer_doubles:', 2735: 'instrument', 2736: 'understood', 2737: 'glove', 2738: 'pyramid', 2739: 'stinky', 2740: 'brandy', 2741: 'blind', 2742: 'theatah', 2743: 'miss_lois_pennycandy:', 2744: 'sistine', 2745: 'most:', 2746: 'bet', 2747: 'cadillac', 2748: 'pure', 2749: 'terminated', 2750: 'beard', 2751: 'waylon', 2752: 'across', 2753: 'jig', 2754: "bladder's", 2755: 'teams', 2756: "grandmother's", 2757: 'kwik-e-mart', 2758: 'day', 2759: 'occurrence', 2760: 'slaps', 2761: 'ah', 2762: 'kako:', 2763: 'archaeologist', 2764: 'mags', 2765: 'reluctant', 2766: 'chapter', 2767: 'space-time', 2768: 'spits', 2769: 'eve', 2770: 'brooklyn', 2771: 'offa', 2772: 'moan', 2773: 'mural', 2774: 'neck', 2775: "fine-lookin'", 2776: 'noises', 2777: 'scornfully', 2778: 'inquiries', 2779: 'giggle', 2780: 'disturbing', 2781: 'tank', 2782: 'spacey', 2783: 'crazy', 2784: 'pleased', 2785: 'naked', 2786: 'source', 2787: 'betcha', 2788: 'conspiracy', 2789: 'quimby', 2790: 'grinch', 2791: 'onions', 2792: 'fine', 2793: 'monkey', 2794: 'reminds', 2795: 'britannia', 2796: "show's", 2797: 'heals', 2798: 'extremely', 2799: 'links', 2800: 'cab', 2801: 'amazed', 2802: 'took', 2803: 'reader', 2804: 'flower', 2805: 'gunter:', 2806: 'jumping', 2807: 'smitty:', 2808: 'puke', 2809: 'amiable', 2810: 'flanders', 2811: 'forgets', 2812: 'brick', 2813: 'provide', 2814: 'symphonies', 2815: 'safer', 2816: 'resist', 2817: 'dealer', 2818: 'patient', 2819: 'urine', 2820: 'bushes', 2821: 'pitcher', 2822: 'madman', 2823: 'unlocked', 2824: 'eat', 2825: 'sing-song', 2826: 'bookie', 2827: 'traffic', 2828: 'barstools', 2829: 'numbers', 2830: 'lady-free', 2831: "homer's_brain:", 2832: 'start', 2833: 'considers', 2834: 'park', 2835: 'aggravazes', 2836: 'literature', 2837: 'terrifying', 2838: 'larry:', 2839: 'thorough', 2840: 'sternly', 2841: 'wire', 2842: 'cleaning', 2843: 'rev', 2844: 'bail', 2845: 'guts', 2846: 'torn', 2847: 'third', 2848: 'severe', 2849: 'taste', 2850: 'horror', 2851: 'killarney', 2852: 'liable', 2853: 'rem', 2854: 'truck', 2855: 'shaking', 2856: 'monday', 2857: 'recommend', 2858: 'louse', 2859: 'schmoe', 2860: 'giant', 2861: 'marguerite:', 2862: 'worse', 2863: 'lowering', 2864: 'haiti', 2865: 'about', 2866: 'sounded', 2867: "beer's", 2868: 'whup', 2869: 'nonsense', 2870: 'excitement', 2871: 'supports', 2872: 'la', 2873: "writin'", 2874: 'yourselves', 2875: 'theme', 2876: "countin'", 2877: 'johnny_carson:', 2878: 'sideshow_bob:', 2879: 'buttons', 2880: 'going', 2881: "larry's", 2882: 'moments', 2883: 'apartment', 2884: 'fast', 2885: 'level', 2886: 'twenty-two', 2887: 'fella', 2888: 'bar', 2889: 'milhouse', 2890: "callin'", 2891: 'muertos', 2892: 'jeter', 2893: 'adequate', 2894: 'nitwit', 2895: 'detective_homer_simpson:', 2896: 'jacques:', 2897: 'nerve', 2898: 'backgammon', 2899: 'pitch', 2900: 'yellow', 2901: 'entering', 2902: 'portentous', 2903: 'scare', 2904: 'hourly', 2905: 'embarrassing', 2906: 'lennyy', 2907: 'super-nice', 2908: 'aged_moe:', 2909: 'has', 2910: 'damned', 2911: 'measure', 2912: 'glasses', 2913: "can'tcha", 2914: '<return>', 2915: 'earth', 2916: 'each', 2917: 'dyspeptic', 2918: 'knuckles', 2919: 'housewife', 2920: 'alright', 2921: 'vigilante', 2922: 'nine', 2923: 'being', 2924: 'cowboy', 2925: 'martini', 2926: 'duff_announcer:', 2927: 'ing', 2928: 'rings', 2929: 'enthusiastically', 2930: 'tomato', 2931: 'seems', 2932: 'blaze', 2933: 'rasputin', 2934: 'kindly', 2935: 'dennis', 2936: 'shall', 2937: 'written', 2938: 'smuggled', 2939: 'weight', 2940: 'congratulations', 2941: 'crayola', 2942: 'need', 2943: 'spending', 2944: 'mmm-hmm', 2945: 'been', 2946: 'toss', 2947: 'shreda', 2948: 'ironic', 2949: 'none', 2950: 'drove', 2951: 'ninety-nine', 2952: 'hang', 2953: 'octa-', 2954: 'asking', 2955: 'tie', 2956: ':', 2957: 'scum', 2958: "knockin'", 2959: 'yourse', 2960: 'male_singers:', 2961: 'chip', 2962: 'squeeze', 2963: 'mean', 2964: "coaster's", 2965: "renovatin'", 2966: "they've", 2967: 'always', 2968: 'polenta', 2969: 'juan', 2970: 'escort', 2971: 'appearance-altering', 2972: 'friendly', 2973: 'later', 2974: 'yards', 2975: 'faded', 2976: 'queen', 2977: 'abcs', 2978: 'albeit', 2979: 'passenger', 2980: 'confession', 2981: 'dice', 2982: 'attractive_woman_#1:', 2983: 'necessary', 2984: 'albert', 2985: 'small', 2986: 'whoo', 2987: 'christmas', 2988: 'nein', 2989: 'atlanta', 2990: 'text', 2991: 'benjamin', 2992: 'problem', 2993: 'cajun', 2994: 'louisiana', 2995: 'state', 2996: 'form', 2997: 'dropped', 2998: 'gay', 2999: 'stu', 3000: 'maher', 3001: 'already', 3002: 'jackass', 3003: 'whoops', 3004: 'divine', 3005: "homer's", 3006: 'maggie', 3007: 'pair', 3008: 'explanation', 3009: 'spit-backs', 3010: 'cell', 3011: 'shuts', 3012: 'grants', 3013: 'yup', 3014: 'newsies', 3015: 'wangs', 3016: 'fool', 3017: 'brockelstein', 3018: 'arise', 3019: 'hose', 3020: 'chairman', 3021: 'worldview', 3022: 'selling', 3023: 'tha', 3024: 'peaked', 3025: 'eggs', 3026: 'whoever', 3027: 'kenny', 3028: 'fanciest', 3029: 'wholeheartedly', 3030: 'frankie', 3031: 'trainers', 3032: 'other_player:', 3033: 'administration', 3034: 'dearest', 3035: "kid's", 3036: 'philip', 3037: 'application', 3038: 'enveloped', 3039: 'ho', 3040: 'helping', 3041: 'fictional', 3042: 'song', 3043: 'forgotten', 3044: 'videotaped', 3045: "'roids", 3046: 'blinded', 3047: 'single', 3048: 'jockey', 3049: "burnin'", 3050: 'homer_', 3051: 'ride', 3052: 'releases', 3053: 'bad-mouth', 3054: 'nahasapeemapetilon', 3055: 'lenford', 3056: 'transfer', 3057: 'test', 3058: 'parasol', 3059: 'combine', 3060: 'simplest', 3061: 'boozer', 3062: 'beards', 3063: 'suds', 3064: 'legs:', 3065: 'shelf', 3066: 'wing', 3067: 'blood', 3068: 'position', 3069: 'two-thirds-empty', 3070: 'menace', 3071: 'talk-sings', 3072: 'how', 3073: 'wells', 3074: 'faces', 3075: 'latin', 3076: 'abandon', 3077: 'specializes', 3078: 'drinking:', 3079: 'tastes', 3080: 'mission', 3081: 'omigod', 3082: 'regretful', 3083: 'politician', 3084: 'radiator', 3085: 'hooray', 3086: 'legend', 3087: 'smithers', 3088: 'between', 3089: 'thought_bubble_lenny:', 3090: 'cops', 3091: 'lurleen', 3092: 'pain', 3093: 'good', 3094: 'jump', 3095: 'load', 3096: 'swell', 3097: 'tipsy', 3098: 'zinged', 3099: 'aid', 3100: 'sweeter', 3101: 'bart_simpson:', 3102: 'enemy', 3103: 'pronto', 3104: 'undermine', 3105: 'outrageous', 3106: 'payday', 3107: 'icelandic', 3108: 'stingy', 3109: 'beats', 3110: 'celebrate', 3111: 'mix', 3112: 'outs', 3113: 'twin', 3114: 'runaway', 3115: 'tapered', 3116: 'aggie', 3117: "tab's", 3118: 'ron_howard:', 3119: 'sucked', 3120: 'outlook', 3121: 'selma_bouvier:', 3122: 'calculate', 3123: 'wow', 3124: 'scratcher', 3125: "aristotle's", 3126: 'h', 3127: 'lady_duff:', 3128: 'bartending', 3129: 'famous', 3130: 'hear', 3131: 'suffering', 3132: 'organ', 3133: 'seriously', 3134: 'securities', 3135: 'guy', 3136: 'heck', 3137: 'difference', 3138: 'distinct', 3139: 'richard:', 3140: 'zero', 3141: 'eighteen', 3142: "cont'd:", 3143: 'erasers', 3144: 'lessee', 3145: 'swings', 3146: 'grampa_simpson:', 3147: 'accidents', 3148: 'hot-rod', 3149: "you'd", 3150: 'shrieks', 3151: 'rafter', 3152: 'gal', 3153: 'windowshade', 3154: 'na', 3155: 'enabling', 3156: 'fools', 3157: "bar's", 3158: 'neighbor', 3159: 'shows', 3160: 'kinds', 3161: 'stand', 3162: 'rebuilt', 3163: 'disguise', 3164: 'winnings', 3165: 'jeers', 3166: 'willing', 3167: 'taps', 3168: 'tornado', 3169: 'furiously', 3170: 'aidens', 3171: 'kneeling', 3172: 'plus', 3173: 'she', 3174: 'hook', 3175: 'deadly', 3176: 'excavating', 3177: 'blessing', 3178: 'business', 3179: 'hates', 3180: 'comment', 3181: 'dressed', 3182: 'homer_simpson:', 3183: 'went', 3184: 'halvsies', 3185: 'girl-bart', 3186: 'van', 3187: 'superior', 3188: 'teenage_barney:', 3189: '&', 3190: 'unforgettable', 3191: 'magic', 3192: 'disappear', 3193: 'otherwise', 3194: 'north', 3195: 'patty', 3196: 'sat-is-fac-tion', 3197: 'reaching', 3198: 'passports', 3199: 'comes', 3200: 'easy-going', 3201: "spyin'", 3202: 'bar:', 3203: 'crowbar', 3204: 'botanical', 3205: 'si-lent', 3206: 'teenage_homer:', 3207: 'declan_desmond:', 3208: 'robot', 3209: 'build', 3210: 'mmm', 3211: 'hawking:', 3212: 'pumping', 3213: 'hug', 3214: 'blamed', 3215: 'pass', 3216: 'peter', 3217: 'troy:', 3218: "moe's_thoughts:", 3219: 'extended', 3220: 'minutes', 3221: 'sensitivity', 3222: 'conclude', 3223: 'betrayed', 3224: 'faint', 3225: 'duel', 3226: 'fired', 3227: 'handle', 3228: 'forbids', 3229: 'gangrene', 3230: 'rockers', 3231: 'weather', 3232: 'shopping', 3233: 'kidding', 3234: 'soaking', 3235: 'feld', 3236: 'amazing', 3237: 'outta', 3238: 'couple', 3239: 'chase', 3240: 'democracy', 3241: "can't-believe-how-bald-he-is", 3242: "friend's", 3243: 'plug', 3244: 'poem', 3245: 'louie:', 3246: 'above', 3247: 'dance', 3248: 'announcer:', 3249: 'mention', 3250: 'kemi:', 3251: 'awful', 3252: 'curious', 3253: 'customer', 3254: 'did', 3255: 'emporium', 3256: 'kick', 3257: 'launch', 3258: 'doof', 3259: 'unintelligent', 3260: 'hockey-fight', 3261: 'self-made', 3262: 'having', 3263: 'flaming', 3264: 'freely', 3265: 'forgiven', 3266: "where'd", 3267: 'grab', 3268: 'museum', 3269: 'impending', 3270: 'fourteen:', 3271: 'why', 3272: 'god', 3273: 'groan', 3274: 'artie_ziff:', 3275: 'hooters', 3276: 'deep', 3277: 'drown', 3278: 'allow', 3279: 'sagely', 3280: 'trusted', 3281: 'sets', 3282: 'xanders', 3283: "washin'", 3284: 'plane', 3285: 'states', 3286: 'de-scramble', 3287: 'annual', 3288: 'el', 3289: 'simple', 3290: 'blissful', 3291: 'east', 3292: 'bald', 3293: 'website', 3294: 'lot', 3295: "gettin'", 3296: 'jar', 3297: 'cuddling', 3298: "that'll", 3299: 'hottest', 3300: 'lise:', 3301: 'permanent', 3302: 'shaker', 3303: 'gossipy', 3304: 'coffee', 3305: 'right', 3306: 'boo', 3307: 'pointed', 3308: 'west', 3309: 'milhouses', 3310: "wino's", 3311: 'frat', 3312: 'its', 3313: 'figure', 3314: 'ancestors', 3315: 'rock', 3316: 'coward', 3317: 'wore', 3318: "we've", 3319: 'chumbawamba', 3320: 'die-hard', 3321: 'animals', 3322: 'begin', 3323: 'karaoke', 3324: 'normal', 3325: 'sweat', 3326: "dog's", 3327: 'cheaper', 3328: 'ninety-six', 3329: 'distributor', 3330: 'cameras', 3331: 'beach', 3332: 'ragtime', 3333: "lenny's", 3334: "stealin'", 3335: 'clothespins', 3336: 'movies', 3337: 'boxing', 3338: 'railroad', 3339: 'margarita', 3340: 'follow', 3341: 'worked', 3342: 'successful', 3343: 'insurance', 3344: 'sotto', 3345: 'twice', 3346: 'dĂ¼ff', 3347: 'refreshing', 3348: 'fills', 3349: 'apply', 3350: 'planted', 3351: 'point', 3352: 'fastest', 3353: 'tearfully', 3354: 'fonda', 3355: 'beached', 3356: 'breakfast', 3357: 'fraud', 3358: 'catty', 3359: 'teenage', 3360: 'sesame', 3361: 'paid', 3362: 'nervously', 3363: 'holds', 3364: 'way:', 3365: 'tv_announcer:', 3366: 'verticality', 3367: 'dang', 3368: 'mayan', 3369: 'yammering', 3370: 'fringe', 3371: 'gonna', 3372: 'front', 3373: 'witches', 3374: 'infatuation', 3375: 'reached', 3376: 'marge_simpson:', 3377: 'alter', 3378: '_babcock:', 3379: 'prohibit', 3380: 'presentable', 3381: 'f', 3382: 'forget-me-shot', 3383: 'cheerier', 3384: 'falcons', 3385: 'though', 3386: 'father', 3387: 'humanity', 3388: 'chilly', 3389: 'jovial', 3390: 'snort', 3391: 'sucks', 3392: 'grienke', 3393: 'nemo', 3394: 'snotty', 3395: 'novelty', 3396: 'wildest', 3397: 'dum-dum', 3398: 'three', 3399: 'male_inspector:', 3400: 'fire_inspector:', 3401: 'cruise', 3402: 'choking', 3403: 'cutting', 3404: 'deserve', 3405: 'moe-near-now', 3406: 'renee', 3407: 'rolls', 3408: 'noggin', 3409: 'yee-haw', 3410: 'crony', 3411: 'fbi', 3412: 'x', 3413: 'frink', 3414: 'belches', 3415: 'schemes', 3416: '<right_paren>', 3417: 'inserted', 3418: 'sucking', 3419: 'ends', 3420: 'lonely', 3421: 'drollery', 3422: 'trip', 3423: 'reed', 3424: 'musketeers', 3425: 'cares', 3426: "aren't", 3427: 'tender', 3428: "town's", 3429: "'topes", 3430: 'mostly', 3431: 'platinum', 3432: 'roof', 3433: 'bust', 3434: "plaster's", 3435: 'plotz', 3436: 'entertainer', 3437: 'past', 3438: 'involving', 3439: 'bluff', 3440: 'bugs', 3441: 'conditioner', 3442: 'm', 3443: 'habitrail', 3444: 'time', 3445: 'bid', 3446: "costume's", 3447: 'but', 3448: 'dawning', 3449: 'throws', 3450: 'shock', 3451: 'insist', 3452: 'secrets', 3453: '7g', 3454: "poisonin'", 3455: 'blows', 3456: 'moe-lennium', 3457: 'fleabag', 3458: 'flashbacks', 3459: 'sickened', 3460: 'isotopes', 3461: 'studio', 3462: 'appropriate', 3463: 'surprising', 3464: 'maxed', 3465: 'protecting', 3466: 'emotional', 3467: 'enter', 3468: "lookin'", 3469: 'hears', 3470: 'weirded-out', 3471: 'gorgeous', 3472: 'buying', 3473: 'unison', 3474: 'accept', 3475: 'huhza', 3476: 'players', 3477: 'deal', 3478: 'parenting', 3479: 'baseball', 3480: "fendin'", 3481: 'read', 3482: 'are', 3483: 'boy', 3484: 'americans', 3485: 'shout', 3486: 'cop', 3487: "waitin'", 3488: 'shaky', 3489: 'gunk', 3490: 'dumpster', 3491: 'stationery', 3492: 'super-genius', 3493: "watchin'", 3494: 'overstressed', 3495: 'busted', 3496: 'hugh', 3497: 'ironed', 3498: 'keys', 3499: 'dashes', 3500: 'jolly', 3501: 'businessman_#1:', 3502: 'sips', 3503: 'whip', 3504: 'wish-meat', 3505: 'carey', 3506: 'expensive', 3507: 'plow', 3508: 'lainie:', 3509: 'over-pronouncing', 3510: 'glen', 3511: 'turning', 3512: 'anguished', 3513: 'forty-nine', 3514: 'brakes', 3515: 'prizefighters', 3516: 'spend', 3517: 'buddy', 3518: 'finest', 3519: 'italian', 3520: 'hubub', 3521: 'endorse', 3522: 'washouts', 3523: 'patrons', 3524: 'snap', 3525: 'disposal', 3526: 'klingon', 3527: 'extinguishers', 3528: 'slim', 3529: 'cheesecake', 3530: 'radishes', 3531: 'infor', 3532: 'ho-ly', 3533: 'pledge', 3534: 'steaming', 3535: 'harm', 3536: 'luckily', 3537: "son's", 3538: 'grudgingly', 3539: 'yoo', 3540: 'something', 3541: 'scared', 3542: 'told', 3543: 'finger', 3544: 'ballclub', 3545: 'resigned', 3546: 'lotsa', 3547: 'stagey', 3548: 'aged', 3549: 'alpha-crow', 3550: 'rub', 3551: 'fact', 3552: 'throats', 3553: "nothin'", 3554: 'food', 3555: 'astronauts', 3556: 'overhearing', 3557: 'bunch', 3558: 'is', 3559: 'species', 3560: 'exchanged', 3561: 'loyal', 3562: 'quero', 3563: 'drunkenly', 3564: 'disillusioned', 3565: 'air', 3566: 'de', 3567: 'meteor', 3568: 'super-tough', 3569: 'twenty-nine', 3570: 'therapist', 3571: 'angel', 3572: 'too', 3573: 'exactly', 3574: 'phony', 3575: 'confidential', 3576: 'chorus:', 3577: 'fence', 3578: "'pu", 3579: 'brotherhood', 3580: 'kemi', 3581: 'meaningfully', 3582: 'feels', 3583: 'achebe', 3584: 'driving', 3585: 'fustigate', 3586: 'practice', 3587: 'f-l-a-n-r-d-s', 3588: 'determined', 3589: 'pushes', 3590: 'forty-seven', 3591: 'drank', 3592: "talkin'", 3593: 'aah', 3594: 'volunteer', 3595: 'chow', 3596: 'creates', 3597: 'score', 3598: 'hooky', 3599: 'project', 3600: 'clear', 3601: 'despite', 3602: 'rain', 3603: 'soup', 3604: 'sign', 3605: 'wine', 3606: 'pouring', 3607: 'springfield', 3608: 'shtick', 3609: 'nascar', 3610: "where's", 3611: 'reading:', 3612: 'digging', 3613: 'played', 3614: 'guys', 3615: 'errrrrrr', 3616: 'vestigial', 3617: 'sobs', 3618: 'son', 3619: 'completing', 3620: 'vengeful', 3621: 'handwriting', 3622: 'joined', 3623: 'ye', 3624: 'michael_stipe:', 3625: 'naval', 3626: 'woodchucks', 3627: 'uncomfortable', 3628: "today's", 3629: 'milhouse_van_houten:', 3630: 'online', 3631: 'byrne', 3632: 'twelve', 3633: 't-shirt', 3634: 'color', 3635: 'operation', 3636: 'amanda', 3637: "stayin'", 3638: 'premiering', 3639: 'absentmindedly', 3640: 'polishing', 3641: 'moe', 3642: 'robin', 3643: 'monroe', 3644: 'inspection', 3645: 'newsweek', 3646: 'hollye', 3647: 'after', 3648: 'stood', 3649: 'supposed', 3650: 'syrup', 3651: 'oil', 3652: 'legoland', 3653: 'mexican', 3654: 'hard', 3655: 'chauffeur', 3656: 'society', 3657: 'harvey', 3658: 'newsletter', 3659: 'roach', 3660: 'airport', 3661: 'nation', 3662: 'effect', 3663: 'intoxicated', 3664: 'products', 3665: 'holidays', 3666: 'jerk-ass', 3667: 'kings', 3668: 'bleak', 3669: 'market', 3670: 'funeral', 3671: "wonderin'", 3672: 'nuts', 3673: 'moonnnnnnnn', 3674: 'pick', 3675: 'horrible', 3676: 'terrific', 3677: 'actors', 3678: 'carmichael', 3679: 'remembering', 3680: 'kisses', 3681: 'minimum', 3682: 'arms', 3683: 'bills', 3684: 'endorsement', 3685: 'hail', 3686: 'attitude', 3687: "tony's", 3688: 'lottery', 3689: 'brusque', 3690: "smackin'", 3691: 'righ', 3692: 'woman', 3693: 'answers', 3694: 'worried', 3695: 'frosty', 3696: 'countryman', 3697: 'suits', 3698: 'slugger', 3699: 'tsk', 3700: 'helps', 3701: 'beef', 3702: 'attack', 3703: 'lingus', 3704: 'wittgenstein', 3705: 'poor', 3706: 'referee', 3707: 'aerospace', 3708: 'visas', 3709: 'wind', 3710: 'self-centered', 3711: 'focus', 3712: 'starting', 3713: 'life-threatening', 3714: 'slurps', 3715: 'potato', 3716: 'seamstress', 3717: 'insulin', 3718: 'unattended', 3719: 'poin-dexterous', 3720: 'karaoke_machine:', 3721: 'buttocks', 3722: 'hoped', 3723: 'whatchamacallit', 3724: "world's", 3725: 'splash', 3726: 'scores', 3727: 'robbers', 3728: 'plenty', 3729: 'shrugs', 3730: 'badge', 3731: 'furious', 3732: 'laid', 3733: "nixon's", 3734: 'benefits', 3735: 'sent', 3736: 'signal', 3737: "he'd", 3738: 'jasper_beardly:', 3739: 'batmobile', 3740: 'composite', 3741: 'pets', 3742: 'powered', 3743: 'stacey', 3744: 'emphasis', 3745: 'nuked', 3746: 'fumigated', 3747: 'calm', 3748: 'padre', 3749: 'cliff', 3750: 'grrrreetings', 3751: 'mushy', 3752: 'acquaintance', 3753: 'another', 3754: 'pretty', 3755: 'tire', 3756: 'tick', 3757: 'selective', 3758: 'five', 3759: 'figures', 3760: 'tragedy', 3761: 'rage', 3762: "hobo's", 3763: 'stripes', 3764: 'nelson', 3765: 'miles', 3766: 'germs', 3767: "department's", 3768: 'infestation', 3769: 'knife', 3770: 'contemplated', 3771: 'vacation', 3772: 'joey', 3773: 'trade', 3774: "foolin'", 3775: 'gag', 3776: 'collapse', 3777: 'eyed', 3778: 'smoke', 3779: 'feminine', 3780: 'yellow-belly', 3781: 'increasingly', 3782: 'red', 3783: 'hampstead-on-cecil-cecil', 3784: 'pian-ee', 3785: 'frankenstein', 3786: 'hilarious', 3787: 'sharity', 3788: 'apu_nahasapeemapetilon:', 3789: 'pizzicato', 3790: 'assume', 3791: 'pickle', 3792: 'prince', 3793: 'last', 3794: '4x4', 3795: 'cute', 3796: 'dinks', 3797: "ladies'", 3798: 'comfortable', 3799: 'judgments', 3800: 'borrow', 3801: 'catching', 3802: 'stupidly', 3803: "daughter's", 3804: 'combination', 3805: 'lock', 3806: 'slice', 3807: 'hidden', 3808: 'hurts', 3809: "industry's", 3810: 'assent', 3811: 'sly', 3812: 'dumbest', 3813: 'fault', 3814: 'clubs', 3815: 'genius', 3816: 'manatee', 3817: 'billboard', 3818: "city's", 3819: 'james', 3820: 'unearth', 3821: 'offensive', 3822: 'advertising', 3823: 'talkative', 3824: 'shove', 3825: 'lofty', 3826: 'horrified', 3827: 'collette:', 3828: "choosin'", 3829: 'horses', 3830: 'lugs', 3831: 'ten', 3832: 'cash', 3833: 'starla', 3834: 'stagy', 3835: 'tape', 3836: 'dejected_barfly:', 3837: 'shifty', 3838: 'uh-huh', 3839: 'amends', 3840: 'jewish', 3841: 'pronounce', 3842: 'motel', 3843: 'ruint', 3844: 'delts', 3845: 'tight', 3846: 'mimes', 3847: 'persia', 3848: 'hoax', 3849: 'businessman_#2:', 3850: 'pulling', 3851: 'presumir', 3852: 'conversion', 3853: 'pointedly', 3854: 'jackson', 3855: 'meaningful', 3856: 'voters', 3857: 'uniforms', 3858: 'improv', 3859: 'shower', 3860: 'taylor', 3861: 'jay:', 3862: 'app', 3863: 'knit', 3864: 'interested', 3865: 'brains', 3866: 'talk', 3867: 'dignified', 3868: 'crappy', 3869: 'low-blow', 3870: "bart's", 3871: 'trustworthy', 3872: "lisa's", 3873: 'concerned', 3874: 'publish', 3875: 'shred', 3876: 'cowardly', 3877: 'rims', 3878: 'chinese', 3879: 'play/', 3880: 'avenue', 3881: 'ripper', 3882: 'secret', 3883: 'tasty', 3884: 'stares', 3885: 'accurate', 3886: 'through', 3887: 'it:', 3888: 'lumpa', 3889: 'pageant', 3890: 'neighboreeno', 3891: 'crowd', 3892: 'eaten', 3893: 'easy', 3894: 'host', 3895: 'togetherness', 3896: 'smoothly', 3897: 'ahead', 3898: 'honor', 3899: 'should', 3900: 'column', 3901: 'showered', 3902: 'agents', 3903: 'single-mindedness', 3904: 'lighter', 3905: 'paints', 3906: 'pocket', 3907: 'jeff_gordon:', 3908: 'illustrates', 3909: 'fortress', 3910: 'parked', 3911: 'cent', 3912: "somethin':", 3913: 'sidekick', 3914: 'covering', 3915: "o'problem", 3916: 'hole', 3917: 'declare', 3918: 'familiar', 3919: 'world', 3920: 'beloved', 3921: 'legally', 3922: 'snotball', 3923: 'snake', 3924: 'kisser', 3925: 'lily-pond', 3926: 'professional', 3927: 'peach', 3928: 'stuck', 3929: 'joking', 3930: 'ralphie', 3931: 'nooo', 3932: 'hollowed-out', 3933: 'gregor', 3934: 'history', 3935: 'winded', 3936: 'violations', 3937: "sittin'", 3938: 'else', 3939: 'tv_wife:', 3940: 'expect', 3941: 'cursed', 3942: 'p-k', 3943: 'yep', 3944: 'sympathetic', 3945: 'bumblebee_man:', 3946: 'specials', 3947: "hole'", 3948: 'ron', 3949: 'sat', 3950: 'fat_tony:', 3951: 'preparation', 3952: 'broom', 3953: 'bets', 3954: 'can', 3955: 'sue', 3956: 'making', 3957: 'read:', 3958: 'slight', 3959: 'gabriel:', 3960: 'walther_hotenhoffer:', 3961: 'the_edge:', 3962: 'occupied', 3963: 'tail', 3964: 'perplexed', 3965: 'butterball', 3966: 'in-in-in', 3967: 'cosmetics', 3968: 'and:', 3969: 'blues', 3970: 'doreen:', 3971: 'teriyaki', 3972: 'backbone', 3973: 'bus', 3974: 'pre-recorded', 3975: 'idealistic', 3976: "life's", 3977: 'clenched', 3978: 'limericks', 3979: 'musical', 3980: 'connection', 3981: 'simpsons', 3982: 'important', 3983: '$42', 3984: 'suburban', 3985: "table's", 3986: 'brightening', 3987: 'routine', 3988: 'cleaned', 3989: 'friction', 3990: 'tofu', 3991: 'expired', 3992: 'bon', 3993: 'streetlights', 3994: 'st', 3995: 'picked', 3996: 'silent', 3997: 'pussycat', 3998: 'radiation', 3999: 'feel', 4000: 'runs', 4001: 'celebrity', 4002: 'unfair', 4003: 'aw', 4004: 'lone', 4005: 'realized', 4006: 'simp-sonnnn', 4007: 'throw', 4008: 'scooter', 4009: 'layer', 4010: 'inspired', 4011: 'lay', 4012: 'putty', 4013: 'reasons', 4014: 'audience', 4015: 'puffy', 4016: 'instantly', 4017: 'edelbrock', 4018: 'nature', 4019: 'argue', 4020: 'gold', 4021: 'derek', 4022: 'approval', 4023: 'len-ny', 4024: 'delightful', 4025: 'whatchacallit', 4026: 'tapping', 4027: 'teenage_bart:', 4028: 'spy', 4029: 'flexible', 4030: 'danny', 4031: "it'd", 4032: 'prettiest', 4033: 'phase', 4034: 'vampire', 4035: 'needs', 4036: 'mike_mills:', 4037: 'blimp', 4038: 'sixty-five', 4039: 'brought', 4040: 'dress', 4041: 'english', 4042: 'seminar', 4043: 'safe', 4044: "high-falutin'", 4045: "jimbo's_dad:", 4046: 'recap:', 4047: "havin'", 4048: 'dancing', 4049: 'character', 4050: 'ned_flanders:', 4051: 'paint', 4052: 'droning', 4053: 'evil', 4054: 'marvelous', 4055: 'war', 4056: "'cause", 4057: 'bunion', 4058: 'caricature', 4059: 'cheery', 4060: 'near', 4061: 'refill', 4062: 'regulars', 4063: 'labels', 4064: 'eye', 4065: 'whistles', 4066: "dyin'", 4067: 'incredible', 4068: 'together', 4069: 'defensive', 4070: 'ape-like', 4071: 'ehhhhhh', 4072: 'allegiance', 4073: 'today', 4074: 'obvious', 4075: 'ollie', 4076: 'yell', 4077: 'poulet', 4078: "bo's", 4079: 'label', 4080: 'cure', 4081: 'tubman', 4082: 'short', 4083: 'peppers', 4084: 'characteristic', 4085: 'der', 4086: 'missed', 4087: 'snorts', 4088: 'delivery_man:', 4089: 'painless', 4090: 'automobiles', 4091: "rustlin'", 4092: 'turkey', 4093: 'stock', 4094: 'cup', 4095: 'stunned', 4096: 'snitch', 4097: "children's", 4098: 'change', 4099: 'milk', 4100: 'and/or', 4101: 'cheat', 4102: 'skins', 4103: 'full-time', 4104: 'mindless', 4105: 'holiday', 4106: 'paparazzo', 4107: 'something:', 4108: 'judge', 4109: 'pissed', 4110: 'man', 4111: 'well-wisher', 4112: 'ball', 4113: 'clips', 4114: 'woo-hoo', 4115: 'expecting', 4116: 'kegs', 4117: 'youuu', 4118: 'aww', 4119: 'declared', 4120: 'meanwhile', 4121: 'hmmmm', 4122: 'tanking', 4123: 'bucket', 4124: 'imported-sounding', 4125: 'kidnaps', 4126: 'diddilies', 4127: 'singing', 4128: 'perfume', 4129: 'warmly', 4130: 'worst', 4131: 'perfect', 4132: 'sealed', 4133: 'sector', 4134: "y'know", 4135: 'fatso', 4136: 'eye-gouger', 4137: 'strong', 4138: 'jailbird', 4139: 'doug:', 4140: 'personal', 4141: 'temporarily', 4142: 'muslim', 4143: 'afraid', 4144: 'never', 4145: 'elder', 4146: 'chicken', 4147: "let's", 4148: 'sober', 4149: 'shoulder', 4150: 'defected', 4151: 'burg', 4152: "clancy's", 4153: 'carolina', 4154: 'popped', 4155: 'family', 4156: 'swine', 4157: 'star', 4158: "kearney's_dad:", 4159: 'butter', 4160: 'yesterday', 4161: 'realize', 4162: 'push', 4163: "floatin'", 4164: 'polite', 4165: "poundin'", 4166: 'chapel', 4167: 'hangover', 4168: 'wang', 4169: 'telephone', 4170: 'indeed', 4171: 'ancient', 4172: 'dejected', 4173: 'beer', 4174: 'sees', 4175: 'happiness', 4176: "must've", 4177: 'thankful', 4178: 'bowie', 4179: 'round', 4180: 'triumphantly', 4181: "team's", 4182: 'same', 4183: 'weak', 4184: 'raining', 4185: 'excuses', 4186: 'peanuts', 4187: 'al_gore:', 4188: 'arrange', 4189: 'bed', 4190: 'art', 4191: 'positive', 4192: 'stomach', 4193: 'excellent', 4194: 'whoa', 4195: 'class', 4196: 'flashing', 4197: 'domestic', 4198: 'yoink', 4199: 'bit', 4200: 'stinger', 4201: 'sudoku', 4202: 'here-here-here', 4203: 'patty_bouvier:', 4204: 'jack', 4205: 'breathtaking', 4206: 'enterprising', 4207: 'phrase', 4208: 'break-up', 4209: 'koholic', 4210: 'attraction', 4211: 'feet', 4212: 'goodbye', 4213: 'odd', 4214: 'girl', 4215: 'moved', 4216: 'irishman', 4217: 'come', 4218: 'microphone', 4219: 'whale', 4220: 'stumble', 4221: 'cueball', 4222: 'bridges', 4223: 'minute', 4224: 'title:', 4225: "'", 4226: 'treat', 4227: 'disapproving', 4228: 'riveting', 4229: 'sunday', 4230: 'Ă ', 4231: "ain't", 4232: 'repeating', 4233: 'k-zug', 4234: 'jesus', 4235: 'friend', 4236: 'ivory', 4237: 'nos', 4238: 'satisfied', 4239: 'spit', 4240: 'station', 4241: 'pad', 4242: 'exquisite', 4243: 'mini-dumpsters', 4244: 'nail', 4245: 'hi', 4246: 'brag', 4247: 'unhappy', 4248: 'recall', 4249: 'macho', 4250: "askin'", 4251: 'specialists', 4252: 'even', 4253: 'moe-ron', 4254: 'eddie:', 4255: 'filthy', 4256: "people's", 4257: 'cricket', 4258: 'said:', 4259: 'agree', 4260: 'items', 4261: 'son-of-a', 4262: 'cab_driver:', 4263: 'slobs', 4264: 'anonymous', 4265: 'lots', 4266: 'arrived', 4267: 'guzzles', 4268: 'superpower', 4269: 'rumor', 4270: 'standing', 4271: 'looked', 4272: 'ringing', 4273: 'tones', 4274: 'oh-so-sophisticated', 4275: 'prolonged', 4276: "c'mon", 4277: 'caveman', 4278: 'eternity', 4279: 'gun', 4280: 'mmmmm', 4281: 'rub-a-dub', 4282: "there's", 4283: 'eightball', 4284: 'plywood', 4285: 'everything', 4286: 'fistiana', 4287: '_montgomery_burns:', 4288: 'life', 4289: 'maude', 4290: 'hero', 4291: 'yelling', 4292: 'butts', 4293: 'menacing', 4294: 'forehead', 4295: 'gees', 4296: 'har', 4297: 'according', 4298: 'scum-sucking', 4299: 'grey', 4300: 'awkward', 4301: 'barflies', 4302: "lefty's", 4303: 'saint', 4304: 'defeated', 4305: 'enthused', 4306: 'hammy', 4307: 'pipes', 4308: 'wedding', 4309: "tomorrow's", 4310: "when's", 4311: 'message', 4312: 'uh-oh', 4313: "cat's", 4314: 'bonfire', 4315: 'drinking', 4316: '70', 4317: 'coin', 4318: 'santa', 4319: 'jay', 4320: 'bee', 4321: 'daaaaad', 4322: 'beady', 4323: 'unattractive', 4324: 'ahem', 4325: 'seem', 4326: 'spine', 4327: 'grunts', 4328: 'earrings', 4329: 'bike', 4330: 'freaking', 4331: 'ken:', 4332: 'hundred', 4333: 'the', 4334: 'outside', 4335: 'per', 4336: 'complaining', 4337: 'register', 4338: 'list', 4339: 'crooks', 4340: 'dollars', 4341: 'wolveriskey', 4342: 'admit', 4343: 'understood:', 4344: 'upon', 4345: 'collateral', 4346: 'rumaki', 4347: 'gumbo', 4348: 'answered', 4349: 'him', 4350: 'boxing_announcer:', 4351: 'gotta', 4352: 'embarrassed', 4353: 'mock', 4354: 'restaurants', 4355: 'proof', 4356: 'plain', 4357: 'promise', 4358: 'blackjack', 4359: "somebody's", 4360: 'larry', 4361: "dolph's_dad:", 4362: 'double', 4363: 'lucius:', 4364: 'theatrical', 4365: 'rats', 4366: 'delicate', 4367: 'faced', 4368: 'feast', 4369: "robbin'", 4370: 'innocent', 4371: 'spanish', 4372: 'blown', 4373: 'moron', 4374: 'heavyweight', 4375: 'denver', 4376: 'kl5-4796', 4377: 'raggie', 4378: 'problems', 4379: 'except', 4380: 'hateful', 4381: 'dan', 4382: 'thoughtfully', 4383: 'dinner', 4384: 'unable', 4385: 'somehow', 4386: 'shareholder', 4387: 'idiots', 4388: "'im", 4389: 'designer', 4390: 'carny:', 4391: 'bachelorhood', 4392: 'stick', 4393: 'struggling', 4394: 'hanh', 4395: "fightin'", 4396: 'peter_buck:', 4397: 'bill', 4398: 'midge', 4399: 'toe', 4400: 'expose', 4401: 'love', 4402: 'disappointing', 4403: 'wonderful', 4404: 'gruff', 4405: 'catholic', 4406: 'sound', 4407: '<question_mark>', 4408: 'bras', 4409: 'offense', 4410: 'ice', 4411: 'you', 4412: 'self-esteem', 4413: 'half-day', 4414: 'savvy', 4415: 'space', 4416: 'disguised', 4417: 'moesy', 4418: 'herself', 4419: "she's", 4420: 'bonding', 4421: 'shill', 4422: 'hootie', 4423: 'prove', 4424: 'man_with_tree_hat:', 4425: 'inside', 4426: 'mumbling', 4427: 'dank', 4428: "who'da", 4429: "homer'll", 4430: 'troubles', 4431: 'valley', 4432: 'decide', 4433: 'quitcher', 4434: 'oughta', 4435: 'sauce', 4436: 'tiger', 4437: 'run', 4438: 'skunk', 4439: 'cesss', 4440: 'aboard', 4441: 'department', 4442: 'gasp', 4443: 'flash', 4444: 'victory', 4445: 'recorded', 4446: 'corner', 4447: 'occupancy', 4448: 'boat', 4449: 'crinkly', 4450: 'pink', 4451: '7-year-old_brockman:', 4452: 'ought', 4453: 'oils', 4454: 'bake', 4455: 'amber_dempsey:', 4456: 'dreamily', 4457: 'annus', 4458: 'tinkle', 4459: 'band', 4460: 'sieben-gruben', 4461: 'heliotrope', 4462: 'side', 4463: 'singing/pushing', 4464: 'nerd', 4465: 'researching', 4466: 'alfred', 4467: 'charlie:', 4468: 'squirrel', 4469: 'flat', 4470: 'montrer', 4471: 'affectations', 4472: 'paintings', 4473: 'watered-down', 4474: 'heaven', 4475: 'coney', 4476: 'palmerston', 4477: 'low-life', 4478: 'older', 4479: 'contractors', 4480: 'protesting', 4481: 'email', 4482: 'employment', 4483: 'chapstick', 4484: 'grind', 4485: 'quotes', 4486: 'missing', 4487: 'festival', 4488: 'bronco', 4489: 'whisper', 4490: 'gang', 4491: 'express', 4492: 'night-crawlers', 4493: 'democrats', 4494: 'sight', 4495: 'little', 4496: 'punches', 4497: 'inexorable', 4498: 'stab', 4499: 'kirk', 4500: 'suspenders', 4501: 'thirteen', 4502: 'tempting', 4503: 'academy', 4504: 'employees', 4505: 'honeys', 4506: 'dizzy', 4507: 'ashtray', 4508: 'mm', 4509: 'guttural', 4510: 'ordered', 4511: 'sub-monkeys', 4512: 'cummerbund', 4513: 'car', 4514: 'naively', 4515: 'sarcastic', 4516: 'faulkner', 4517: 'reactions', 4518: 'walk', 4519: 'upbeat', 4520: "phone's", 4521: 'eager', 4522: 'motor', 4523: 'ticks', 4524: 'bride', 4525: 'american', 4526: 'gosh', 4527: 'actress', 4528: 'cannot', 4529: 'jacksons', 4530: 'experienced', 4531: 'wear', 4532: 'wade_boggs:', 4533: 'wasted', 4534: 'hans:', 4535: 'shortcomings', 4536: 'stars', 4537: 'halfway', 4538: 'aiden', 4539: 'kramer', 4540: 'hops', 4541: 'rascals', 4542: 'andy', 4543: 'hands', 4544: 'belts', 4545: 'lowest', 4546: 'self', 4547: "sippin'", 4548: 'pig', 4549: 'playing', 4550: 'amnesia', 4551: "doesn't", 4552: 'ons', 4553: 'adventure', 4554: 'especially', 4555: 'gary:', 4556: 'slurred', 4557: 'kept', 4558: 'badmouths', 4559: 'yourself', 4560: 'lovers', 4561: 'spot', 4562: 'sniper', 4563: 'banquo', 4564: '<exclamation_mark>', 4565: 'still', 4566: "speakin'", 4567: 'ugliest', 4568: 'beginning', 4569: 'badges', 4570: 'depository', 4571: "tv'll", 4572: 'arimasen', 4573: 'coupon', 4574: 'misconstrue', 4575: 'fixes', 4576: 'feeling', 4577: 'delighted', 4578: 'founded', 4579: 'affects', 4580: 'walking', 4581: 'hare-brained', 4582: 'lewis', 4583: 'contemptuous', 4584: 'fancy', 4585: 'clears', 4586: 'absorbent', 4587: 'flustered', 4588: 'john', 4589: 'ads', 4590: 'daughter', 4591: 'tow-talitarian', 4592: 'pancakes', 4593: "couldn't", 4594: "england's", 4595: 'as', 4596: 'anxious', 4597: 'fish', 4598: "football's", 4599: 'left', 4600: "heat's", 4601: 'ingrates', 4602: 'understanding', 4603: 'venture', 4604: 'spamming', 4605: 'uh', 4606: 'press', 4607: 'girlfriend', 4608: 'correction', 4609: 'texas', 4610: "pickin'", 4611: '21', 4612: 'bidet', 4613: 'suppose', 4614: 'handling', 4615: 'fluoroscope', 4616: 'ago', 4617: 'row', 4618: 'dollface', 4619: "cupid's", 4620: 'awesome', 4621: 'bulldozing', 4622: 'waltz', 4623: 'gallon', 4624: 'creme', 4625: 'ahhh', 4626: 'beligerent', 4627: 'name:', 4628: 'irrelevant', 4629: 'unbelievably', 4630: 'fury', 4631: 'compared', 4632: 'maman', 4633: 'minors', 4634: 'glass', 4635: 'bumpy-like', 4636: 'teddy', 4637: "c'mere", 4638: 'cocktail', 4639: 'option', 4640: 'one', 4641: 'explaining', 4642: 'cocoa', 4643: 'barely', 4644: 'deeply', 4645: 'pulled', 4646: 'joining', 4647: 'spouses', 4648: 'hemoglobin', 4649: 'valuable', 4650: "bart'd", 4651: "'kay-zugg'", 4652: 'corkscrew', 4653: 'fruit', 4654: 'wishful', 4655: 'hounds', 4656: 'squirrels', 4657: 'disdainful', 4658: 'weapon', 4659: 'consciousness', 4660: 'some', 4661: 'rotch', 4662: 'benjamin:', 4663: 'cockroaches', 4664: 'trapped', 4665: 'majesty', 4666: 'wanna', 4667: 'share', 4668: 'nearly', 4669: 'courthouse', 4670: 'counting', 4671: 'alcoholic', 4672: 'known', 4673: 'jobless', 4674: 'schizophrenia', 4675: 'wraps', 4676: 'insensitive', 4677: 'generally', 4678: 'goal', 4679: 'accelerating', 4680: 'gas', 4681: 'advance', 4682: 'edge', 4683: 'abusive', 4684: 'plastic', 4685: 'headhunters', 4686: 'knowledge', 4687: "plank's", 4688: 'sport', 4689: 'memories', 4690: 'frog', 4691: 'health', 4692: 'sales', 4693: 'gentle', 4694: 'maiden', 4695: 'bury', 4696: 'marvin', 4697: 'difficult', 4698: 'managed', 4699: "family's", 4700: 'pile', 4701: 'sees/', 4702: 'dime', 4703: 'pepto-bismol', 4704: 'statesmanlike', 4705: 'decent', 4706: 'edner', 4707: 'grub', 4708: 'bashir', 4709: 'manipulation', 4710: 'rainier_wolfcastle:', 4711: 'flag', 4712: 'poet', 4713: 'plan', 4714: 'gone', 4715: 'adult_bart:', 4716: 'carb', 4717: 'synthesize', 4718: 'gordon', 4719: 'wazoo', 4720: "cleanin'", 4721: 'snake_jailbird:', 4722: 'gore', 4723: 'towed', 4724: 'indecipherable', 4725: 'drinker', 4726: 'buried', 4727: 'illegally', 4728: 'draw', 4729: "springfield's", 4730: 'jubilant', 4731: 'stuff', 4732: 'writing', 4733: 'panicky', 4734: 'fudd', 4735: "time's", 4736: '1895', 4737: 'handoff', 4738: 'irish', 4739: 'booking', 4740: 'mulder', 4741: 'fontaine', 4742: 'sugar-me-do', 4743: 'leg', 4744: 'belly', 4745: "'em", 4746: 'convinced', 4747: 'homunculus', 4748: 'pillows', 4749: "yesterday's", 4750: 'admiring', 4751: 'mate', 4752: 'drive', 4753: 'the_rich_texan:', 4754: 'stretches', 4755: 'donated', 4756: 'those', 4757: 'pleading', 4758: 'tense', 4759: 'tabs', 4760: 'blooded', 4761: 'crow', 4762: 'waist', 4763: 'won', 4764: "what's", 4765: 'diamond', 4766: 'trust', 4767: 'excited', 4768: 'in', 4769: 'law-abiding', 4770: 'wednesday', 4771: 'peppy', 4772: 'duh', 4773: 'or', 4774: 'toy', 4775: 'vacuum', 4776: 'dry', 4777: 'medieval', 4778: 'sidelines', 4779: 'actually', 4780: 'woozy', 4781: 'ooo', 4782: 'rented', 4783: 'packets', 4784: 'match', 4785: 'sniffing', 4786: 'forbidden', 4787: 'health_inspector:', 4788: 'might', 4789: 'wobbly', 4790: 'clipped', 4791: 'clientele', 4792: 'complaint', 4793: 'statues', 4794: 'polish', 4795: 'numeral', 4796: 'piece', 4797: 'computer', 4798: 'people', 4799: 'stats', 4800: 'firm', 4801: 'make:', 4802: 'win', 4803: 'tired', 4804: 'police', 4805: 'latour', 4806: 'convenient', 4807: 'just', 4808: 'wings', 4809: 'bottles', 4810: 'gambler', 4811: 'espn', 4812: 'coincidentally', 4813: 'crossed', 4814: 'feisty', 4815: "scammin'", 4816: 'order', 4817: 'ref', 4818: 'sunny', 4819: 'winch', 4820: 'abercrombie', 4821: 'tip', 4822: 'rush', 4823: 'miracle', 4824: 'their', 4825: 'population', 4826: 'los', 4827: 'upsetting', 4828: 'jamaican', 4829: 'liquor', 4830: 'bridge', 4831: 'conditioners', 4832: 'szyslak', 4833: 'waste', 4834: 'power', 4835: 'offended', 4836: 'exploiter', 4837: 'thirty-thousand', 4838: 'contemplates', 4839: 'consider', 4840: 'ha', 4841: 'shorter', 4842: 'whoopi', 4843: 'exultant', 4844: 'future', 4845: 'vulnerable', 4846: 'laramie', 4847: 'diaper', 4848: 'bottoms', 4849: 'pernt', 4850: "g'night", 4851: 'killer', 4852: 'snail', 4853: 'ton', 4854: "spaghetti-o's", 4855: 'richer', 4856: 'package', 4857: 'finished', 4858: 'caused', 4859: 'poison', 4860: 'drawn', 4861: 'whaddaya', 4862: 'buffalo', 4863: 'lighting', 4864: 'know', 4865: 'breathless', 4866: 'gary_chalmers:', 4867: 'thing:', 4868: 'pudgy', 4869: 'muhammad', 4870: 'various', 4871: 'takes', 4872: 'dismissive', 4873: "we'd", 4874: 'sister-in-law', 4875: 'ga', 4876: 'job', 4877: 'indignant', 4878: 'grammy', 4879: 'busiest', 4880: 'ladies', 4881: 'garbage', 4882: 'show', 4883: 'corporate', 4884: 'someplace', 4885: 'slaves', 4886: 'short_man:', 4887: 'arm-pittish', 4888: 'befriend', 4889: 'mole', 4890: 'against', 4891: 'hellhole', 4892: 'sexual', 4893: "mother's", 4894: 'confident', 4895: 'rip', 4896: 'reminded', 4897: 'blurbs', 4898: "tester's", 4899: 'heh', 4900: 'puts', 4901: 'unlike', 4902: 'du', 4903: 'castle', 4904: 'coast', 4905: 'hardwood', 4906: 'pal', 4907: 'suit', 4908: 'thought_bubble_homer:', 4909: "kids'", 4910: 'putting', 4911: 'miserable', 4912: 'let', 4913: 'choices', 4914: 'diablo', 4915: 'fayed', 4916: 'which', 4917: 'noble', 4918: 'half-beer', 4919: 'spooky', 4920: 'video', 4921: 'screams', 4922: 'chubby', 4923: 'clams', 4924: 'dana_scully:', 4925: 'taxi', 4926: 'babe', 4927: 'ees', 4928: 'moxie', 4929: 'waters', 4930: 'flourish', 4931: 'glowers', 4932: 'journey', 4933: 'incognito', 4934: 'microbrew', 4935: 'peace', 4936: 'reporter', 4937: 'happier', 4938: 'appeals', 4939: 'tolerance', 4940: 'placed', 4941: 'attracted', 4942: 'portfolium', 4943: 'grammar', 4944: 'then:', 4945: 'huh', 4946: 'center', 4947: 'unlucky', 4948: 'slow', 4949: "brockman's", 4950: 'flaking', 4951: 'kickoff', 4952: 'brawled', 4953: 'license', 4954: 'possibly', 4955: 'maintenance', 4956: 'gum', 4957: 'ribbon', 4958: 'life-sized', 4959: 'forever', 4960: 'nickel', 4961: 'meaningless', 4962: 'envy-tations', 4963: 'comic_book_guy:', 4964: 'cheated', 4965: 'thrilled', 4966: 'ass', 4967: 'stupidest', 4968: 'diets', 4969: 'easier', 4970: '_zander:', 4971: 'cockroach', 4972: 'hammer', 4973: 'face', 4974: 'clock', 4975: "starla's", 4976: 'exhale', 4977: 'typed', 4978: 'season', 4979: 'gin-slingers', 4980: 'man_with_crazy_beard:', 4981: 'coyly', 4982: 'charge', 4983: 'smile', 4984: 'formico', 4985: "liftin'", 4986: 'laney_fontaine:', 4987: 'lobster-based', 4988: 'trail', 4989: 'philosophic', 4990: 'chinua', 4991: 'bitterly', 4992: 'slick', 4993: 'ling', 4994: 'carlotta:', 4995: 'now', 4996: 'bees', 4997: 'runners', 4998: 'prepared', 4999: 'nightmares', 5000: 'raising', 5001: 'trash', 5002: 'error', 5003: 'groin', 5004: 'magazine', 5005: 'fumes', 5006: 'meditative', 5007: 'competitive', 5008: 'gimme', 5009: 'moe_recording:', 5010: "we're", 5011: 'everybody', 5012: 'wigs', 5013: 'laws', 5014: 'encore', 5015: 'six-barrel', 5016: 'prayer', 5017: 'stored', 5018: 'kansas', 5019: 'adult', 5020: 'campaign', 5021: 'hostile', 5022: 'bottom', 5023: 'keeping', 5024: 'expression', 5025: 'reason', 5026: 'nick', 5027: 'interrupting', 5028: 'tremendous', 5029: 'reluctantly', 5030: 'knows', 5031: 'safety', 5032: 'syndicate', 5033: 'material', 5034: 'anger', 5035: "payin'", 5036: 'loudly', 5037: 'wantcha', 5038: 'initially', 5039: 'other_book_club_member:', 5040: 'slightly', 5041: 'wistful', 5042: 'purveyor', 5043: 'mobile', 5044: 'means', 5045: 'touched', 5046: 'full', 5047: 'liven', 5048: 'backing', 5049: 'bon-bons', 5050: 'mister', 5051: 'eaters', 5052: 'tentative', 5053: 'ripped', 5054: 'conditioning', 5055: 'happily:', 5056: 'put', 5057: 'using', 5058: 'rump', 5059: 'experiments', 5060: 'burp', 5061: 'daniel', 5062: 'new', 5063: 'square', 5064: 'clown', 5065: 'handler', 5066: 'gr-aargh', 5067: 'churchill', 5068: 'africa', 5069: 'banned', 5070: 'guard', 5071: 'warmth', 5072: 'young', 5073: 'belt', 5074: 'mcbain', 5075: 'darkness', 5076: 'lodge', 5077: 'ruuuule', 5078: 'alls', 5079: 'started', 5080: 'discussing', 5081: 'sail', 5082: 'thoughts', 5083: 'strolled', 5084: 'crank', 5085: 'evergreen', 5086: 'break', 5087: 'fans', 5088: 'groveling', 5089: "summer's", 5090: 'switch', 5091: 'popular', 5092: 'malibu', 5093: 'early', 5094: 'creeps', 5095: 'stopped', 5096: 'miss', 5097: 'bachelor', 5098: 'drains', 5099: 'passion', 5100: 'afford', 5101: 'afterglow', 5102: 'befouled', 5103: 'ew', 5104: 'guessing', 5105: 'pretzels', 5106: 'thrown', 5107: 'purse', 5108: 'boxers', 5109: 'cable', 5110: 'driver', 5111: 'little_hibbert_girl:', 5112: 'ummmmmmmmm', 5113: 'lou:', 5114: 'throat', 5115: 'heart-broken', 5116: 'shape', 5117: 'unavailable', 5118: 'shells', 5119: 'head-gunk', 5120: 'tune', 5121: 'manjula', 5122: 'nantucket', 5123: 'musta', 5124: 'minister', 5125: 'fustigation', 5126: 'forty-five', 5127: 'soul', 5128: 'jerky', 5129: 'helpful', 5130: 'maya', 5131: 'title', 5132: '3', 5133: 'noosey', 5134: 'low', 5135: 'pepsi', 5136: 'voyager', 5137: 'gentlemen', 5138: 'man:', 5139: 'heatherton', 5140: 'salt', 5141: 'bump', 5142: 'u', 5143: "shan't", 5144: 'nuclear', 5145: 'friday', 5146: 'activity', 5147: 'mansions', 5148: 'hers', 5149: 'intrigued', 5150: 'jets', 5151: 'graves', 5152: 'spellbinding', 5153: 'deeper', 5154: 'punching', 5155: 'leans', 5156: 'cutest', 5157: 'failure', 5158: 'me', 5159: 'balloon', 5160: 'youngsters', 5161: 'owes', 5162: 'ruled', 5163: 'ointment', 5164: 'artie', 5165: 'involved', 5166: 'forty-two', 5167: 'cents', 5168: "maggie's", 5169: 'worthless', 5170: 'puff', 5171: 'astrid', 5172: 'landlord', 5173: 'fox', 5174: 'media', 5175: 'yew', 5176: 'extract', 5177: 'creature', 5178: 'comic', 5179: 'accounta', 5180: 'booze', 5181: 'championship', 5182: 'furniture', 5183: "'ere", 5184: 'five-fifteen', 5185: 'intruding', 5186: 'lobster-politans', 5187: 'notch', 5188: 'bully', 5189: 'nose', 5190: 'glorious', 5191: 'whatever', 5192: "we'll", 5193: 'boneheaded', 5194: 'troll', 5195: 'mayor_joe_quimby:', 5196: 'rich', 5197: 'whether', 5198: "squeezin'", 5199: 'off', 5200: 'cherry', 5201: 'step', 5202: 'eating', 5203: 'beers', 5204: 'wh', 5205: 'cologne', 5206: 'sticker', 5207: 'general', 5208: "i've", 5209: 'assassination', 5210: "secret's", 5211: 'presents', 5212: 'joy', 5213: 'notice', 5214: 'dan_gillick:', 5215: 'certified', 5216: 'bragging', 5217: 'navy', 5218: 'fainted', 5219: 'opening', 5220: 'empty', 5221: 'yak', 5222: 'fox_mulder:', 5223: 'sagacity', 5224: 'ocean', 5225: 'months', 5226: "'n'", 5227: 'indifferent', 5228: 'fausto', 5229: 'cotton', 5230: 'mudflap', 5231: 'vulgar', 5232: 'distract', 5233: 'stirrers', 5234: 'environment', 5235: 'taking', 5236: "how'd", 5237: 'ha-ha', 5238: 'lifters', 5239: 'methinks', 5240: 'tapestry', 5241: 'lotta', 5242: 'santeria', 5243: 'data', 5244: 'voodoo', 5245: 'wheeeee', 5246: 'act', 5247: 'running', 5248: 'solved', 5249: 'scanning', 5250: 'poisoning', 5251: 'swigmore', 5252: 'meyerhof', 5253: 'afloat', 5254: 'raises', 5255: 'felt', 5256: 'brief', 5257: 'couch', 5258: "queen's", 5259: 'flying', 5260: 'drapes', 5261: 'lessons', 5262: 'buddha', 5263: 'blow', 5264: 'meals', 5265: 'civic', 5266: "tinklin'", 5267: 'oooh', 5268: 'intakes', 5269: 'effervescent', 5270: 'virile', 5271: 'kiss', 5272: 'pinchpenny', 5273: 'presently', 5274: 'from', 5275: "moe's", 5276: 'grabs', 5277: 'highball', 5278: "renee's", 5279: '91', 5280: 'attached', 5281: 'winston', 5282: 'face-macer', 5283: 'renew', 5284: 'lucky', 5285: 'germany', 5286: 'acceptance', 5287: 'doppler', 5288: "fallin'", 5289: 'scientific', 5290: "they're", 5291: 'drug', 5292: 'kissed', 5293: 'dishonor', 5294: 'however', 5295: 'michelin', 5296: 'bliss', 5297: 'stayed', 5298: 'schabadoo', 5299: 'feelings', 5300: 'habit', 5301: 'enjoy', 5302: 'right-handed', 5303: 'kent_brockman:', 5304: 'well', 5305: 'neanderthal', 5306: 'represent', 5307: 'barflies:', 5308: 'mirror', 5309: 'southern', 5310: 'dozen', 5311: 'patterns', 5312: 'hand', 5313: 'old-time', 5314: 'baritone', 5315: 'extreme', 5316: 'madison', 5317: 'french', 5318: 'radioactive', 5319: 'coins', 5320: 'authenticity', 5321: 'full-blooded', 5322: 'propose', 5323: 'frazier', 5324: 'dint', 5325: 'ideas', 5326: 'safely', 5327: 'poking', 5328: 'us', 5329: 'dude', 5330: '50%', 5331: 'tribute', 5332: 'scientists', 5333: 'eminence', 5334: 'pleasant', 5335: 'buzziness', 5336: 'blob', 5337: 'young_homer:', 5338: 'barkeep', 5339: 'mexican_duffman:', 5340: 'firmly', 5341: 'hustle', 5342: 'dna', 5343: 'stands', 5344: 'compromise:', 5345: 'stripe', 5346: 'sports_announcer:', 5347: 'ohmygod', 5348: 'accent', 5349: 'lear', 5350: 'maybe', 5351: 'apu', 5352: 'life-extension', 5353: 'onion', 5354: 'america', 5355: 'chuckling', 5356: 'knuckle-dragging', 5357: 'spied', 5358: 'aside', 5359: 'perfunctory', 5360: 'folks', 5361: 'disappointed', 5362: 'energy', 5363: 'closet', 5364: 'percent', 5365: 'monorails', 5366: 'updated', 5367: 'quality', 5368: 'brown', 5369: 'beans', 5370: 'dateline:', 5371: 'go', 5372: 'drivers', 5373: 'shoots', 5374: 'dressing', 5375: 'compete', 5376: 'alarm', 5377: "tramp's", 5378: 'heroism', 5379: 'nicer', 5380: 'bathing', 5381: 'till', 5382: 'wiggle-frowns', 5383: 'pep', 5384: 'effigy', 5385: 'glen:', 5386: 'grand', 5387: 'trying', 5388: 'names', 5389: 'sam:', 5390: 'underpants', 5391: 'photo', 5392: 'ow', 5393: 'watered', 5394: 'connor', 5395: 'booth', 5396: 'planning', 5397: 'wake', 5398: 'adrift', 5399: 'happily', 5400: 'brunch', 5401: 'behavior', 5402: 'challenge', 5403: 'dallas', 5404: 'rip-off', 5405: 'tropical', 5406: "marge's", 5407: 'dumb', 5408: 'temper', 5409: 'vin', 5410: 'yo', 5411: 'astronaut', 5412: 'ziff', 5413: 'chocolate', 5414: 'glyco-load', 5415: 'sampler', 5416: 'blue', 5417: 'lloyd', 5418: 'bring', 5419: 'dean', 5420: 'sanitary', 5421: "readin'", 5422: "monroe's", 5423: 'brockman', 5424: 'donate', 5425: 'janette', 5426: 'roz:', 5427: 'yet', 5428: 'chief', 5429: 'capitol', 5430: 'ah-ha', 5431: 'hurting', 5432: 'hiya', 5433: 'cheerleaders:', 5434: 'bounced', 5435: 'walks', 5436: "year's", 5437: 'exhibit', 5438: 'acting', 5439: 'moon-bounce', 5440: 'ventriloquism', 5441: 'frontrunner', 5442: 'languages', 5443: 'lazy', 5444: 'dame', 5445: 'housing', 5446: 'detecting', 5447: "ma'am", 5448: 'saved', 5449: 'represents', 5450: "this'll", 5451: 'every', 5452: 'supermodel', 5453: 'freaky', 5454: 'sizes', 5455: 'would', 5456: 'special', 5457: "jackpot's", 5458: 'carl_carlson:', 5459: 'snatch', 5460: 'tolerable', 5461: 'shame', 5462: 'relieved', 5463: 'thing', 5464: 'homer', 5465: '6', 5466: 'ya', 5467: 'notices', 5468: 'hugh:', 5469: 'onassis', 5470: 'multiple', 5471: 'zone', 5472: 'aims', 5473: 'works', 5474: "that'd", 5475: 'tried', 5476: 'butt', 5477: 'churchy', 5478: 'billion', 5479: 'rugged', 5480: 'teach', 5481: 'senators:', 5482: 'dammit', 5483: 'cozy', 5484: 'fold', 5485: 'touch', 5486: 'realizing', 5487: "listenin'", 5488: 'contact', 5489: 'haw', 5490: 'wizard', 5491: 'nauseous', 5492: 'aquafresh', 5493: 'human', 5494: 'moe-clone:', 5495: 'appalled', 5496: 'reconsidering', 5497: 'dynamite', 5498: 'lard', 5499: 'housework', 5500: 'comedy', 5501: 'partner', 5502: 'rhode', 5503: 'rhyme', 5504: 'gimmick', 5505: 'triple-sec', 5506: "drinkin'", 5507: 'only', 5508: 'pub', 5509: 'bolting', 5510: 'we-we-we', 5511: 'understand', 5512: 'car:', 5513: 'friends', 5514: 'conspiratorial', 5515: 'talkers', 5516: 'loser', 5517: 'result', 5518: 'crystal', 5519: 'helllp', 5520: 'thunder', 5521: 'chicks', 5522: 'phlegm', 5523: 'windelle', 5524: 'mmmm', 5525: 'cletus_spuckler:', 5526: 'woo', 5527: 'ebullient', 5528: 'morose', 5529: 'sleep', 5530: 'show-off', 5531: 'horns', 5532: 'smart', 5533: 'investigating', 5534: 'suck', 5535: 'crowded', 5536: 'sorry', 5537: 'designated', 5538: 'sanctuary', 5539: 'demo', 5540: 'times', 5541: 'eh', 5542: 'what', 5543: 'hope', 5544: 'lord', 5545: "ridin'", 5546: 'rude', 5547: "wouldn't", 5548: 'grimly', 5549: 'wad', 5550: 'jane', 5551: 'wienerschnitzel', 5552: "didn't", 5553: 'texan', 5554: 'oh-ho', 5555: "should've", 5556: 'stan', 5557: 'committee', 5558: 'sec_agent_#1:', 5559: 'school', 5560: 'saucy', 5561: 'scene', 5562: 'total', 5563: 'blobbo', 5564: "stallin'", 5565: 'customers-slash-only', 5566: 'william', 5567: 'lou', 5568: 'ballot', 5569: "she'd", 5570: 'stewart', 5571: 'lists', 5572: 'flush-town', 5573: 'jackpot-thief', 5574: 'chuckle', 5575: 'shaken', 5576: 'curiosity', 5577: 'lame', 5578: 'focused', 5579: 'all-all-all', 5580: 'spoken', 5581: '3rd_voice:', 5582: 'mocking', 5583: 'body', 5584: 'squeezed', 5585: 'taunting', 5586: 'eyesore', 5587: 'work', 5588: 'marmaduke', 5589: 'courage', 5590: 'higher', 5591: 'w-a-3-q-i-zed', 5592: 'plucked', 5593: 'calling', 5594: 'homesick', 5595: 'partly', 5596: 'michael', 5597: 'replaced', 5598: 'sold', 5599: 'wishes', 5600: 'ridiculous', 5601: 'spews', 5602: 'sweetheart', 5603: 'trolls', 5604: 'guiltily', 5605: 'published', 5606: 'hilton', 5607: 'pockets', 5608: 'choke', 5609: 'proper', 5610: 'book_club_member:', 5611: 'chub', 5612: 'writer:', 5613: 'manager', 5614: 'charter', 5615: 'bothered', 5616: 'filth', 5617: 'cozies', 5618: 'victim', 5619: 'runt', 5620: 'huddle', 5621: 'warning', 5622: 'candy', 5623: 'glamour', 5624: '<semicolon>', 5625: 'relaxed', 5626: 'piling', 5627: 'could', 5628: 'whatcha', 5629: 'degradation', 5630: 'may', 5631: 'church', 5632: 'winces', 5633: 'tv', 5634: 'hyahh', 5635: 'kinda', 5636: 'wide', 5637: "'round", 5638: 'clench', 5639: 'macgregor', 5640: 'dear', 5641: 'mafia', 5642: 'counterfeit', 5643: 'most', 5644: 'series', 5645: 'subscriptions', 5646: 'pointless', 5647: 'appealing', 5648: '1979', 5649: 'piano', 5650: "handwriting's", 5651: 'person', 5652: 'attractive_woman_#2:', 5653: 'period', 5654: 'fourth', 5655: 'beverage', 5656: 'poke', 5657: 'lanes', 5658: 'pointing', 5659: 'violin', 5660: '35', 5661: 'hangout', 5662: 'e-z', 5663: 'diet', 5664: 'authorized', 5665: 'toilet', 5666: 'bubbles', 5667: 'shaved', 5668: 'laney', 5669: 'finale', 5670: 'kermit', 5671: 'ad', 5672: 'straining', 5673: 'sang', 5674: 'aisle', 5675: "santa's", 5676: 'official', 5677: 'agent_miller:', 5678: 'granted', 5679: 'touchdown', 5680: 'reliable', 5681: 'help', 5682: "what'll", 5683: "meanin'", 5684: 'think', 5685: 'came', 5686: 'touches', 5687: 'selfish', 5688: 'speaking', 5689: 'survive', 5690: 'ooh', 5691: "o'clock", 5692: 'harder', 5693: 'cecil', 5694: 'phasing', 5695: 'donor', 5696: 'have', 5697: 'clean', 5698: 'chum', 5699: 'bum:', 5700: 'agreement', 5701: 'thoughtless', 5702: 'dea-d-d-dead', 5703: 'listen', 5704: 'contemporary', 5705: "tootin'", 5706: 'flew', 5707: 'simon', 5708: 'faiths', 5709: 'ground', 5710: "men's", 5711: 'massage', 5712: 'harrowing', 5713: 'exciting', 5714: 'midge:', 5715: 'tell', 5716: 'peabody', 5717: 'ignorant', 5718: 'until', 5719: 'heading', 5720: 'acquitted', 5721: 'howya', 5722: 'gamble', 5723: 'divorced', 5724: 'oblongata', 5725: 'paramedic:', 5726: 'terrace', 5727: 'regretted', 5728: 'partners', 5729: 'sure', 5730: 'poster', 5731: 'perĂ³n', 5732: 'present', 5733: 'slop', 5734: 'smug', 5735: 'dumptruck', 5736: 'spinning', 5737: 'tab', 5738: 'slab', 5739: "d'ya", 5740: 'marshmallow', 5741: 'must', 5742: 'liver', 5743: 'yogurt', 5744: 'dennis_kucinich:', 5745: 'watched', 5746: 'jumps', 5747: 'jer', 5748: 'delivery_boy:', 5749: 'wife', 5750: 'salary', 5751: 'overturned', 5752: 'wolverines', 5753: 'sink', 5754: "don'tcha", 5755: 'points', 5756: 'don', 5757: 'lives', 5758: 'riding', 5759: 'artist', 5760: 'available', 5761: 'eggshell', 5762: 'refund', 5763: 'splendid', 5764: 'explain', 5765: 'washer', 5766: 'tobacky', 5767: 'all', 5768: 'aer', 5769: 'feedbag', 5770: 'who-o-oa', 5771: 'ambrose', 5772: 'hemorrhage-amundo', 5773: 'used', 5774: 'aerosmith', 5775: 'urinal', 5776: 'fuzzlepitch', 5777: 'eighty-five', 5778: "one's", 5779: 'au', 5780: 'mary', 5781: 'notably', 5782: 'shriners', 5783: 'ho-la', 5784: 'rocks', 5785: 'criminal', 5786: 'we', 5787: 'married', 5788: 'pepper', 5789: 'inherent', 5790: 'mistresses', 5791: "dad's", 5792: 'knew', 5793: 'conversations', 5794: 'lied', 5795: 'appointment', 5796: 'dies', 5797: 'supreme', 5798: 'delicious', 5799: 'rosey', 5800: 'threatening', 5801: 'tokens', 5802: 'turned', 5803: 'rainforest', 5804: 'sob', 5805: 'souvenir', 5806: 'coughs', 5807: 'had', 5808: 'getting', 5809: 'producers', 5810: 'experience', 5811: 'pope', 5812: 'dilemma', 5813: 'there', 5814: 'brain', 5815: 'mortgage', 5816: 'uhhhh', 5817: 'duffman:', 5818: 'blubberino', 5819: 'life-partner', 5820: 'jeez', 5821: 'boxer', 5822: 'loved', 5823: 'twerpy', 5824: 'gasps', 5825: 'lease', 5826: 'rubbed', 5827: 'wrong', 5828: 'warranty', 5829: 'cold', 5830: 'dentist', 5831: 'seductive', 5832: 'pond', 5833: 'accusing', 5834: 'bouquet', 5835: "y'money's", 5836: 'hopeful', 5837: 'unhook', 5838: 'mitts', 5839: 'taught', 5840: 'mrs', 5841: 'waking-up', 5842: 'our', 5843: 'brunswick', 5844: 'woman:', 5845: 'squad', 5846: 'elves:', 5847: 'mouth', 5848: 'crying', 5849: 'nervous', 5850: 'fabulous', 5851: 'toxins', 5852: 'jam', 5853: 'africanized', 5854: 'fulla', 5855: 'door', 5856: 'fledgling', 5857: 'expense', 5858: 'seconds', 5859: 'wash', 5860: 'memory', 5861: 'screw', 5862: 'champion', 5863: 'proposition', 5864: "calf's", 5865: 'hotel', 5866: 'versus', 5867: 'rainier', 5868: 'curds', 5869: 'strain', 5870: 'certificate', 5871: 'favor', 5872: 'lips', 5873: 'grin', 5874: 'amid', 5875: 'mm-hmm', 5876: 'slyly', 5877: "tatum'll", 5878: 'encores', 5879: 'sturdy', 5880: 'moustache', 5881: 'rewound', 5882: 'pasta', 5883: 'stalin', 5884: 'key', 5885: 'trunk', 5886: 'punch', 5887: 'anti-crime', 5888: 'inspire', 5889: 'duke', 5890: 'test-lady', 5891: 'family-owned', 5892: 'these', 5893: 'hearse', 5894: 'awww', 5895: 'malfeasance', 5896: 'womb', 5897: 'spilled', 5898: 'days', 5899: 'capitalists', 5900: 'rusty', 5901: 'motorcycle', 5902: 'gator', 5903: 'lenny_leonard:', 5904: "drexel's", 5905: 'sheriff', 5906: 'charity', 5907: 'ugliness', 5908: 'teen', 5909: "ma's", 5910: 'changing', 5911: 'lovely', 5912: 'whaddya', 5913: 'fighting', 5914: 'nigerian', 5915: 'pit', 5916: 'ne', 5917: 'sass', 5918: 'adjust', 5919: 'champignons', 5920: 'bags', 5921: 'grenky', 5922: 'unrelated', 5923: 'waylon_smithers:', 5924: 'corpses', 5925: 'apulina', 5926: 'barney-shaped_form:', 5927: 'breathalyzer', 5928: 'nothing', 5929: 'commission', 5930: 'led', 5931: 'gabriel', 5932: 'bedtime', 5933: 'stamps', 5934: 'addiction', 5935: 'pathetic', 5936: 'belly-aching', 5937: 'accident', 5938: 'oughtta', 5939: 'jogging', 5940: 'decency', 5941: 'changed', 5942: 'whiny', 5943: 'meal', 5944: 'whatsit', 5945: 'neon', 5946: 'fireball', 5947: 'thru', 5948: 'hot', 5949: 'california', 5950: 'gel', 5951: 'ivana', 5952: 'wrestling', 5953: 'asleep', 5954: 'african', 5955: 'calendars', 5956: 'filed', 5957: 'fingers', 5958: 'krabappel', 5959: "yieldin'", 5960: 'bono', 5961: 'beauty', 5962: 'princess', 5963: 'pigtown', 5964: 'invented', 5965: 'perhaps', 5966: 'part-time', 5967: 'saw', 5968: 'swishkabobs', 5969: 'opportunity', 5970: 'snide', 5971: 'plastered', 5972: "money's", 5973: "they'd", 5974: 'tickets', 5975: 'blokes', 5976: 'here', 5977: 'chinese_restaurateur:', 5978: 'managing', 5979: 'an', 5980: 'takeaway', 5981: 'corkscrews', 5982: 'stinks', 5983: 'sheet', 5984: 'killjoy', 5985: 'fresco', 5986: 'winner', 5987: 'feminist', 5988: 'prints', 5989: 'gulliver_dark:', 5990: 'tv-station_announcer:', 5991: 'classy', 5992: 'junior', 5993: 'bathroom', 5994: 'children', 5995: 'showing', 5996: 'gift:', 5997: 'enlightened', 5998: 'sodas', 5999: 'take', 6000: 'yea', 6001: 'hyper-credits', 6002: 'cuff', 6003: 'hike', 6004: 'w', 6005: 'november', 6006: 'telegraph', 6007: 'narrator:', 6008: 'tips', 6009: 'doors', 6010: 'tommy', 6011: 'compressions', 6012: 'manjula_nahasapeemapetilon:', 6013: 'unsanitary', 6014: 'candles', 6015: 'panicked', 6016: 'encouraged', 6017: 'bulletin', 6018: "i'm-so-stupid", 6019: 'probably', 6020: 'necklace', 6021: 'wayne', 6022: 'toys', 6023: 'water', 6024: 'voice', 6025: 'nameless', 6026: 'beneath', 6027: 'spare', 6028: 'para', 6029: 'chastity', 6030: 'goodwill', 6031: 'queer', 6032: 'talked', 6033: 'exasperated', 6034: "s'okay", 6035: 'enthusiasm', 6036: 'mona_simpson:', 6037: 'hanging', 6038: 'crab', 6039: 'resolution', 6040: 'handsome', 6041: 'village', 6042: 'entrance', 6043: 'technical', 6044: 'bible', 6045: "everyone's", 6046: 'eva', 6047: 'flea:', 6048: 'wanted', 6049: 'continued', 6050: 'kirk_van_houten:', 6051: 'ceremony', 6052: 'computer_voice_2:', 6053: 'anarchy', 6054: 'fonzie', 6055: 'tough', 6056: 'equivalent', 6057: 'figured', 6058: 'skills', 6059: 'anyhow', 6060: 'mall', 6061: 'reopen', 6062: 'friendship', 6063: 'hangs', 6064: 'ivy-covered', 6065: 'whispers', 6066: 'crew', 6067: 'fiiiiile', 6068: 'quick-like', 6069: 'gear-head', 6070: 'kidneys', 6071: 'flanders:', 6072: 'i', 6073: 'fat_in_the_hat:', 6074: 'cake', 6075: 'disgracefully', 6076: 'jaegermeister', 6077: 'bupkus', 6078: 'tenor:', 6079: 'under', 6080: 'timbuk-tee', 6081: "kiddin'", 6082: 'senators', 6083: 'closer', 6084: 'drop', 6085: 'cuz', 6086: 'german', 6087: 'warned', 6088: 'she-pu', 6089: 'deer', 6090: 'profiling', 6091: 'wild', 6092: 'foam', 6093: 'jams', 6094: 'correcting', 6095: "school's", 6096: 'sneaky', 6097: 'dutch', 6098: 'uneasy', 6099: 'movement', 6100: 'seymour', 6101: 'geyser', 6102: 'heads', 6103: 'drunks', 6104: 'sale', 6105: 'poured', 6106: 'depressant', 6107: 'stories', 6108: 'although', 6109: 'culkin', 6110: "nick's", 6111: 'modestly', 6112: 'coming', 6113: 'helped', 6114: 'sincere', 6115: 'up-bup-bup', 6116: 'moe-clone', 6117: 'iran', 6118: 'effervescence', 6119: 'jukebox_record:', 6120: 'talking', 6121: 'ripping', 6122: 'fritz', 6123: 'fountain', 6124: 'seas', 6125: 'brings', 6126: 'stay-puft', 6127: "brady's", 6128: 'coined', 6129: 'greatest', 6130: 'frescas', 6131: 'cheryl', 6132: "carl's", 6133: 'mines', 6134: 'cheered', 6135: 'sausage', 6136: 'stiffening', 6137: 'uninhibited', 6138: 'mike', 6139: 'sniffles', 6140: "bein'", 6141: 'non-american', 6142: 'become', 6143: 'teacher', 6144: 'take-back', 6145: 'whining', 6146: 'frink-y', 6147: 'what-for', 6148: 'grace', 6149: 'gasoline', 6150: 'barney-guarding', 6151: 'dazed', 6152: 'wrote', 6153: 'sunk', 6154: 'watching', 6155: 'jail', 6156: 'kool', 6157: 'without:', 6158: 'bad', 6159: 'mystery', 6160: 'mountain', 6161: 'dislike', 6162: "messin'", 6163: 'eighty-seven', 6164: 'toward', 6165: 'quick', 6166: '530', 6167: 'nbc', 6168: 'home', 6169: 'recreate', 6170: 'quarterback', 6171: 'j', 6172: 'warm_female_voice:', 6173: 'plum', 6174: 'grumbling', 6175: 'three-man', 6176: 'knock', 6177: 'answer', 6178: 'size', 6179: 'handing', 6180: 'priceless', 6181: 'agent_johnson:', 6182: 'destroyed', 6183: 'prize', 6184: "duelin'", 6185: 'dimly', 6186: 'white', 6187: 'boxer:', 6188: '8', 6189: 'begging', 6190: 'impressed', 6191: 'amber', 6192: 'bell', 6193: 'proves', 6194: 'wisconsin', 6195: 'beanbag', 6196: 'thought', 6197: 'tall', 6198: 'forget', 6199: 'schnapps', 6200: 'directions', 6201: 'enemies', 6202: 'exited', 6203: 'bloodball', 6204: "shootin'", 6205: 'publishers', 6206: 'espousing', 6207: 'cronies', 6208: 'foundation', 6209: '_burns_heads:', 6210: "lady's", 6211: 'banks', 6212: 'terrified', 6213: 'assistant', 6214: 'sympathy', 6215: "'bout", 6216: 'ziffcorp', 6217: 'prejudice', 6218: 'letters', 6219: 'bye', 6220: 'united', 6221: 'industry', 6222: 'unless', 6223: 'anthony_kiedis:', 6224: 'seen', 6225: 'rome', 6226: 'sedaris', 6227: 'coat', 6228: 'skinner', 6229: 'bubbles-in-my-nose-y', 6230: 'rolling', 6231: 'reaches', 6232: 'happen', 6233: 'peanut', 6234: 'sports', 6235: 'example', 6236: 'powerful', 6237: 'moonlight', 6238: 'hmf', 6239: 'negative', 6240: 'dishrag', 6241: 'kay', 6242: 'disturbance', 6243: 'wealthy', 6244: 'nelson_muntz:', 6245: 'offer', 6246: 'crawl', 6247: 'either', 6248: 'romance', 6249: 'flame', 6250: 'taken', 6251: 'backwards', 6252: 'applesauce', 6253: 'accepting', 6254: 'traitor', 6255: 'lately', 6256: 'baloney', 6257: 'newly-published', 6258: 'ugly', 6259: 'fit', 6260: 'charges', 6261: 'care', 6262: 'twenty-four', 6263: 'staying', 6264: 'wooden', 6265: 'count', 6266: 'privacy', 6267: 'sen', 6268: 'grope', 6269: 'deacon', 6270: 'tongue', 6271: 'kick-ass', 6272: 'second', 6273: 'bulked', 6274: 'flophouse', 6275: 'wudgy', 6276: 'chin', 6277: 'rolled', 6278: 'refiero', 6279: 'arrest', 6280: "who'll", 6281: 'spent', 6282: 'desire', 6283: 'reporter:', 6284: "neighbor's", 6285: 'lemme', 6286: 'recipe', 6287: 'brother-in-law', 6288: 'pay', 6289: 'he', 6290: 'cheering', 6291: 'scotch', 6292: 'releasing', 6293: 'attach', 6294: 'homie', 6295: 'window', 6296: 'warren', 6297: 'hospital', 6298: 'prank', 6299: 'fun', 6300: 'tear', 6301: 'lurks', 6302: 'hunting', 6303: 'skinheads', 6304: 'joke', 6305: '2nd_voice_on_transmitter:', 6306: 'principles', 6307: 'mistake', 6308: 'please', 6309: "rentin'", 6310: 'cerebral', 6311: 'wikipedia', 6312: 'england', 6313: 'd', 6314: 'craft', 6315: 'soot', 6316: 'internet', 6317: 'myself', 6318: 'story', 6319: 'kearney_zzyzwicz:', 6320: 'haikus', 6321: 'puzzled', 6322: 'pride', 6323: 'best', 6324: "battin'", 6325: 'restaurant', 6326: 'chili', 6327: 'christopher', 6328: 'neil_gaiman:', 6329: 'worth', 6330: 'femininity', 6331: 'things', 6332: 'they', 6333: 'tanked-up', 6334: 'idiot', 6335: "'your", 6336: 'grieving', 6337: 'kill', 6338: 'celebrities', 6339: 'derisive', 6340: "mcstagger's", 6341: 'greedy', 6342: 'original', 6343: 'checking', 6344: 'investor', 6345: 'lovejoy', 6346: 'drawing', 6347: 'troy_mcclure:', 6348: 'store-bought', 6349: 'barter', 6350: 'complete', 6351: 'bursts', 6352: 're:', 6353: 'sketch', 6354: 'comforting', 6355: "'til", 6356: 'least', 6357: 'needed', 6358: "liberty's", 6359: 'nap', 6360: 'alcohol', 6361: 'christian', 6362: 'penny', 6363: 'sued', 6364: 'occupation', 6365: "they'll", 6366: 'thnord', 6367: 'lifts', 6368: 'invisible', 6369: 'words', 6370: 'wok', 6371: 'beaumarchais', 6372: 'heavyset', 6373: 'afternoon', 6374: 'repay', 6375: 'buy', 6376: 'shakes', 6377: 'says', 6378: 'bret:', 6379: 'rope', 6380: 'crowds', 6381: 'hoagie', 6382: 'working', 6383: 'multi-national', 6384: 'manfred', 6385: 'perch', 6386: 'pontiff', 6387: 'chick', 6388: 'predictable', 6389: 'socratic', 6390: 'giving', 6391: 'buffet', 6392: 'out', 6393: 'elmer', 6394: 'intriguing', 6395: 'portuguese', 6396: "d'", 6397: 'encouraging', 6398: "donatin'", 6399: 'thumb', 6400: 'knocked', 6401: 'skirt', 6402: 'view', 6403: 'wife-swapping', 6404: 'nordiques', 6405: "hangin'", 6406: "drivin'", 6407: 'billiard', 6408: 'faith', 6409: 'othello', 6410: 'klown', 6411: 'raging', 6412: "narratin'", 6413: 'vance', 6414: 'chained', 6415: 'great', 6416: 'lecture', 6417: 'inspiring', 6418: 'believer', 6419: "beggin'", 6420: 'cheers', 6421: 'field', 6422: 'duffed', 6423: 'seymour_skinner:', 6424: 'painted', 6425: 'this:', 6426: 'poetry', 6427: 'alcoholism', 6428: 'mice', 6429: 'following', 6430: 'oak', 6431: 'vincent', 6432: 'thesaurus', 6433: '<dash>', 6434: 'payback', 6435: 'dessert', 6436: 'tonight', 6437: 'march', 6438: 'tasimeter', 6439: 'system', 6440: 'hearing', 6441: 'wooooo', 6442: 'squeals', 6443: 'massive', 6444: 'compels', 6445: 'lifestyle', 6446: 'upn', 6447: 'issuing', 6448: 'open-casket', 6449: 'sumatran', 6450: 'puzzle', 6451: 'crayon', 6452: 'buzz', 6453: 'retain', 6454: 'action', 6455: 'tomahto', 6456: "patrick's", 6457: 'bites', 6458: 'ear', 6459: 'sixty-nine', 6460: 'young_barfly:', 6461: 'death', 6462: 'mouths', 6463: 'save', 6464: 'limber', 6465: 'cattle', 6466: 'relax', 6467: 'reynolds', 6468: 'mad', 6469: 'dull', 6470: 'sexy', 6471: 'cheer', 6472: 'line', 6473: 'lucinda', 6474: 'toledo', 6475: "c'mom", 6476: 'cloudy', 6477: 'jelly', 6478: 'rid', 6479: 'quarry', 6480: 'hydrant', 6481: "cashin'", 6482: 'manboobs', 6483: 'goldarnit', 6484: 'smile:', 6485: 'stevie', 6486: "snappin'", 6487: 'desperate', 6488: 'stranger:', 6489: 'doctor', 6490: 'liability', 6491: 'self-satisfied', 6492: 'forced', 6493: 'unkempt', 6494: 'fork', 6495: 'salvador', 6496: 'cocking', 6497: 'jack_larson:', 6498: 'mistakes', 6499: 'sinister', 6500: "something's", 6501: 'doll', 6502: 'settles', 6503: 'bow', 6504: 'peeved', 6505: 'cakes', 6506: 'spelling', 6507: "here's", 6508: 'camp', 6509: 'recruiter', 6510: 'tv_father:', 6511: 'vanities', 6512: 'ehhh', 6513: 'johnny', 6514: 'pigs', 6515: 'coherent', 6516: 'falling', 6517: 'philosophical', 6518: 'ninety-eight', 6519: 'samples', 6520: 'land', 6521: 'helen', 6522: 'mariah', 6523: 'charm', 6524: 'colonel:', 6525: 'superdad', 6526: 'barkeeps', 6527: 'greystash', 6528: 'rubs', 6529: 'tigers', 6530: 'chic', 6531: 'listening', 6532: 'owns', 6533: 'th-th-th-the', 6534: 'gut', 6535: 'whenever', 6536: 'chew', 6537: 'inanely', 6538: 'schedule', 6539: 'massachusetts', 6540: 'image', 6541: 'dictating', 6542: 'braun:', 6543: 'four-drink', 6544: 'nah', 6545: 'tidy', 6546: 'joint', 6547: 'brine', 6548: 'stocking', 6549: 'hop', 6550: 'starve', 6551: 'clammy', 6552: 'wowww', 6553: 'whaaa', 6554: 'playful', 6555: 'coal', 6556: 'legal', 6557: 'own', 6558: 'sinkhole', 6559: 'pages', 6560: 'voicemail', 6561: 'apron', 6562: 'term', 6563: "neat's-foot", 6564: 'weary', 6565: 'treats', 6566: 'ginger', 6567: 'it', 6568: 'wally', 6569: 'depressed', 6570: 'alone', 6571: 'dash', 6572: 'genuinely', 6573: 'carpet', 6574: "tellin'", 6575: 'fantasy', 6576: "spiffin'", 6577: 'banquet', 6578: 'xx', 6579: 'specified', 6580: 'microwave', 6581: 'kim_basinger:', 6582: 'stooges', 6583: 'sings', 6584: 'glum', 6585: 'infiltrate', 6586: 'bellyaching', 6587: 'louder', 6588: 'chuck', 6589: 'cars', 6590: 'dictator', 6591: 'betty:', 6592: "'morning", 6593: 'startled', 6594: 'sounds', 6595: 'fevered', 6596: 'super', 6597: 'hungry', 6598: 'sun', 6599: "he's", 6600: 'hey', 6601: 'course', 6602: 'knock-up', 6603: 'professor_jonathan_frink:', 6604: 'down', 6605: 'menlo', 6606: 'hide', 6607: 'alive', 6608: 'a', 6609: 'scream', 6610: 'temples', 6611: 'television', 6612: 'then', 6613: 'evils', 6614: 'passed', 6615: 'beer-jerks', 6616: "doctor's", 6617: 'underbridge', 6618: 'kidney', 6619: 'strokkur', 6620: 'tuna', 6621: 'denser', 6622: 'soft', 6623: 'alibi', 6624: 'p', 6625: 'cleaner', 6626: "idea's", 6627: 'jubilation', 6628: 'cappuccino', 6629: 'aging', 6630: 'heard', 6631: 'breath', 6632: 'presidents', 6633: 'engine', 6634: 'inspector', 6635: 'repeated', 6636: 'white_rabbit:', 6637: 'leftover', 6638: 'intimacy', 6639: 'squabbled', 6640: 'bold', 6641: 'scratching', 6642: 'reunion', 6643: "'tis", 6644: 'polls', 6645: 'mixed', 6646: 'buds', 6647: 'enough', 6648: 'captain:', 6649: 'ninety-seven', 6650: 'fair', 6651: 'cries', 6652: 'gently', 6653: 'built', 6654: 'farthest', 6655: 'steal', 6656: 'alley', 6657: 'fund', 6658: 'heave-ho', 6659: 'ford', 6660: "tv's", 6661: 'done', 6662: 'heh-heh', 6663: 'hippies', 6664: 'trivia', 6665: 'life:', 6666: 'boisterous', 6667: 'sponsoring', 6668: 'puke-pail', 6669: 'unfamiliar', 6670: 'carl', 6671: 'repairman', 6672: 'thinking', 6673: 'fuhgetaboutit', 6674: 'lap', 6675: 'dumbass', 6676: 'books', 6677: 'k', 6678: 'coaster', 6679: "ya'", 6680: 'tree', 6681: 'breakdown', 6682: 'cigars', 6683: 'reward', 6684: 'hardy', 6685: 'lobster', 6686: 'yells', 6687: 'favorite', 6688: 'singer', 6689: 'hiring', 6690: 'log', 6691: 'moon', 6692: 'living', 6693: 'krusty_the_clown:', 6694: 'reach', 6695: 'occurred', 6696: 'serve', 6697: 'racially-diverse', 6698: 'lindsay_naegle:', 6699: 'amount', 6700: 'language', 6701: 'shyly', 6702: 'yap', 6703: "other's", 6704: 'onto', 6705: 'sack', 6706: 'mumble', 6707: 'age', 6708: 'president', 6709: 'steak', 6710: 'singers:', 6711: 'scarf', 6712: 'justice', 6713: 'sheets', 6714: 'knees', 6715: 'failed', 6716: 'sucker', 6717: 'ditched', 6718: 'fatty', 6719: 'weekend', 6720: 'childless', 6721: 'occurs', 6722: 'delays', 6723: 'agnes_skinner:', 6724: 'cheaped', 6725: 'precious', 6726: 'triangle', 6727: 'squadron', 6728: 'branding', 6729: 'bitter', 6730: 'committing', 6731: 'truth', 6732: 'terrorizing', 6733: 'cobbling', 6734: 'yours', 6735: 'side:', 6736: 'asked', 6737: 'potatoes', 6738: 'wipe', 6739: 'ab', 6740: 'so-called', 6741: 'crushed', 6742: 'vegas', 6743: 'expert', 6744: 'ale', 6745: 'leno', 6746: 'anniversary', 6747: 'workers', 6748: 'walked', 6749: 'toms', 6750: 'gluten', 6751: 'handed', 6752: 'few', 6753: 'gibson', 6754: 'oooo', 6755: 'koji', 6756: "won't", 6757: 'doll-baby', 6758: 'guns', 6759: 'rummy', 6760: "wearin'", 6761: 'saget', 6762: 'of', 6763: 'invulnerable', 6764: 'sassy', 6765: 'kicks', 6766: 'parrot', 6767: 'stained-glass', 6768: 'l', 6769: 'truck_driver:', 6770: 'verdict', 6771: 'all-american', 6772: 'wiping', 6773: 'waitress', 6774: 'generously', 6775: 'priority', 6776: 'speak', 6777: "smokin'_joe_frazier:", 6778: "pope's"}
[ 8.25879024e-29 5.69448647e-20 3.61329886e-30 ..., 1.34626641e-31
1.39149864e-32 3.29872213e-35]
{0: 'sequel', 1: 'makes', 2: 'spitting', 3: 'dregs', 4: 'selma', 5: 'at', 6: 'brave', 7: 'spreads', 8: 'fink', 9: 'pants', 10: 'named', 11: 'generous', 12: 'pews', 13: 'when-i-get-a-hold-of-you', 14: 'effects', 15: "lovers'", 16: 'carlson', 17: 'praise', 18: 'behind', 19: 'beam', 20: 'wham', 21: 'laugh', 22: 'copy', 23: "i-i'll", 24: "weren't", 25: 'mahatma', 26: 'leathery', 27: 'sacrifice', 28: 'prefer', 29: 'horribilis', 30: 'unbelievable', 31: 'ambrosia', 32: 'bartholomĂ©:', 33: 'sometime', 34: 'alec_baldwin:', 35: 'scrubbing', 36: 'bush', 37: 'indigenous', 38: 'twentieth', 39: 'starters', 40: 'fridge', 41: 'saga', 42: 'heavens', 43: 'bide', 44: 'smiled', 45: 'sap', 46: 'doom', 47: 'sadly', 48: "man's_voice:", 49: 'squashing', 50: 'head', 51: 'learn', 52: 'arguing', 53: 'trapping', 54: 'daddy', 55: "guy's", 56: 'eyeballs', 57: 'bathtub', 58: 'revenge', 59: 'crisis', 60: 'restless', 61: 'loan', 62: 'disgrace', 63: 'shag', 64: 'index', 65: 'four', 66: 'protesters', 67: 'acronyms', 68: 'middle', 69: 'mozzarella', 70: 'along', 71: '_powers:', 72: 'hitler', 73: 'backward', 74: 'slot', 75: 'curse', 76: 'partially', 77: 'insecure', 78: 'chug-a-lug', 79: 'less', 80: 'promised', 81: 'jigger', 82: 'libraries', 83: 'heart', 84: 'carney', 85: 'gol-dangit', 86: 'disgusted', 87: 'arts', 88: 'cooler', 89: 'cans', 90: 'bums', 91: 'beer:', 92: "'cept", 93: 'scornful', 94: 'ahh', 95: 'attend', 96: 'mater', 97: 'breaks', 98: 'damage', 99: 'gil_gunderson:', 100: 'celeste', 101: 'whispered', 102: 'creepy', 103: 'oof', 104: 'real', 105: 'company', 106: 'motto', 107: 'demand', 108: 'contented', 109: 'dating', 110: 'hated', 111: 'avec', 112: 'gutenberg', 113: 'alky', 114: 'amused', 115: 'reads', 116: 'hideous', 117: 'congoleum', 118: 'stop', 119: 'idea', 120: 'quimby_#2:', 121: 'brain-switching', 122: 'egg', 123: 'cream', 124: 'pajamas', 125: 'far', 126: 'ronstadt', 127: "gentleman's", 128: 'semi-imported', 129: 'tradition', 130: 'clap', 131: 'listens', 132: 'nightmare', 133: 'imaginary', 134: 'marry', 135: 'wondering', 136: 'indifference', 137: 'a-lug', 138: 'nards', 139: 'startup', 140: 'name', 141: 'grammys', 142: 'ding-a-ding-ding-ding-ding-ding-ding', 143: 'normals', 144: 'absolutely', 145: 'ralph_wiggum:', 146: 'inclination', 147: 'anyone', 148: 's', 149: 'tow', 150: 'week', 151: 'contest', 152: 'fad', 153: 'tablecloth', 154: 'owner', 155: 'tv_daughter:', 156: 'scrutinizing', 157: 'answering', 158: 'soul-crushing', 159: 'though:', 160: 'stein-stengel-', 161: 'mic', 162: 'and', 163: 'boys', 164: 'shares', 165: 'wish', 166: 'moonshine', 167: 's-a-u-r-c-e', 168: 'european', 169: 'devils:', 170: "what'd", 171: 'voted', 172: 'hate', 173: 'rapidly', 174: 'shores', 175: 'leak', 176: 'venom', 177: 'doy', 178: 'finding', 179: 'inflated', 180: 'je', 181: 'chuckles', 182: 'estranged', 183: 'ehhhhhhhh', 184: 'wipes', 185: 'rancid', 186: "wallet's", 187: 'football_announcer:', 188: 'wakede', 189: 'ultimate', 190: "cuckold's", 191: 'nucular', 192: 'shindig', 193: 'suspect', 194: 'ned', 195: 'woulda', 196: 'balls', 197: 'officials', 198: 'lose', 199: 'compadre', 200: 'annoying', 201: 'cauliflower', 202: 'uncreeped-out', 203: 'impatient', 204: 'wage', 205: 'stagehand:', 206: 'trench', 207: 'candidate', 208: 'murdoch', 209: 'geysir', 210: 'drummer', 211: 'script', 212: 'dignity', 213: 'gotcha', 214: 'joe', 215: "showin'", 216: 'fry', 217: 'oh', 218: 'hunger', 219: 'elocution', 220: 'diapers', 221: 'burn', 222: 'premise', 223: 'gulps', 224: "coffee'll", 225: "toot's", 226: 'ominous', 227: 'luxury', 228: 'burt', 229: 'watashi', 230: 'opens', 231: 'donation', 232: 'huggenkiss', 233: 'ivanna', 234: 'strategizing', 235: 'assert', 236: 'squeal', 237: 'playoff', 238: 'camera', 239: 'detective', 240: 'urge', 241: 'new_health_inspector:', 242: 'drag', 243: 'angry', 244: 'disaster', 245: 'eighty-six', 246: 'ingredient', 247: 'locked', 248: 'princesses', 249: "how're", 250: 'dreamy', 251: 'replace', 252: 'absentminded', 253: 'helpless', 254: 'conclusions', 255: 'once', 256: 'fires', 257: 'tourist', 258: 'skydiving', 259: 'office', 260: 'dory', 261: 'jerk', 262: 'drinks', 263: 'all-star', 264: "that's", 265: 'burps', 266: 'ungrateful', 267: 'intoxicants', 268: 'japanese', 269: 'lemonade', 270: 'laughter', 271: 'scent', 272: 'muffled', 273: 'sideshow_mel:', 274: 'unusually', 275: 'punishment', 276: 'career', 277: 'pressure', 278: 'thrust', 279: 'labor', 280: 'born', 281: 'marquee', 282: 'crack', 283: '1973', 284: 'awed', 285: 'barbed', 286: 'sugar', 287: 'this', 288: 'knocks', 289: "eatin'", 290: 'sticking', 291: "bashir's", 292: 'tracks', 293: "o'", 294: 'slender', 295: 'swig', 296: 'remains', 297: 'cavern', 298: 'lenny', 299: 'watt', 300: 'reaction', 301: 'er', 302: 'century', 303: 'tactful', 304: 'bag', 305: 'panties', 306: 'faceful', 307: 'because', 308: 'code', 309: 'appreciated', 310: 'tying', 311: 'cobra', 312: 'madonna', 313: 'ineffective', 314: 'believe', 315: 'calls', 316: 'henry', 317: 'blank', 318: 'film', 319: 'popping', 320: 'liar', 321: 'cost', 322: 'meeting', 323: 'lis', 324: 'mock-up', 325: 'remembers', 326: 'wrestle', 327: "duff's", 328: 'product', 329: 'handshake', 330: 'pour', 331: 'predecessor', 332: 'blend', 333: 'ran', 334: 'around', 335: 'depressing', 336: 'sexton', 337: 'wheels', 338: 'helicopter', 339: 'able', 340: 'chosen', 341: 'half', 342: "barney's", 343: 'swooning', 344: 'examples', 345: 'undies', 346: 'nasty', 347: 'lib', 348: 'distraught', 349: 'darn', 350: 'move', 351: 'foibles', 352: 'punkin', 353: 'pushing', 354: 'mop', 355: 'little_man:', 356: 'mccarthy', 357: 'hosting', 358: 'refreshment', 359: "pullin'", 360: 'light', 361: 'dough', 362: 'uncle', 363: 'france', 364: 'stairs', 365: 'mediterranean', 366: 'was', 367: 'uglier', 368: 'pull', 369: 'a-a-b-b-a', 370: "leavin'", 371: 'soap', 372: 'grateful', 373: "usin'", 374: 'metal', 375: 'lindsay', 376: 'widow', 377: 'germans', 378: 'wrecking', 379: 'lenses', 380: 'lizard', 381: 'wants', 382: 'music', 383: "games'd", 384: "doin'", 385: 'earpiece', 386: 'poorer', 387: "soundin'", 388: 'mine', 389: 'old', 390: 'often', 391: 'smokes', 392: 'dr', 393: 'developed', 394: 'socialize', 395: 'odor', 396: 'rupert_murdoch:', 397: 'sympathizer', 398: 'kinderhook', 399: 'jacques', 400: 'price', 401: 'duff', 402: 'summer', 403: 'coma', 404: 'unsafe', 405: 'discriminate', 406: 'growing', 407: 'plans', 408: 'dennis_conroy:', 409: 'woe:', 410: 'skin', 411: 'barn', 412: 'lenny:', 413: 'squishee', 414: 'playhouse', 415: 'surgeonnn', 416: 'reflected', 417: 'hotline', 418: 'likes', 419: 'kent', 420: 'booze-bags', 421: 'invite', 422: 'golden', 423: 'evening', 424: 'chug-monkeys', 425: 'army', 426: 'morning', 427: 'sugar-free', 428: 'frenchman', 429: "g'on", 430: 'oblivious', 431: 'passes', 432: 'immiggants', 433: 'sneering', 434: 'medical', 435: 'who', 436: 'compare', 437: 'kirk_voice_milhouse:', 438: 'un-sults', 439: 'incriminating', 440: 'call', 441: 'tony', 442: 'junebug', 443: 'girls', 444: 'brothers', 445: 'soir', 446: 'morning-after', 447: 'shoulders', 448: 'y-you', 449: "murphy's", 450: 'shut', 451: 'smoker', 452: 'foil', 453: 'correct', 454: 'elephants', 455: 'therefore', 456: 'average', 457: 'hushed', 458: 'really', 459: 'since', 460: 'etc', 461: 'courteous', 462: 'satisfaction', 463: 'forty', 464: 'fellas', 465: 'gifts', 466: 'noose', 467: 'george', 468: 'in-ground', 469: 'steel', 470: 'iranian', 471: 'besides', 472: 'bite', 473: 'got', 474: 'bam', 475: 'cigarettes', 476: 'krusty', 477: 'smugglers', 478: 'dogs', 479: 'word', 480: 'youth', 481: 'norway', 482: 'trouble', 483: 'storms', 484: 'folk', 485: 'lushmore', 486: 'lachrymose', 487: 'pickled', 488: 'wolfe', 489: 'someone', 490: 'brainiac', 491: 'splattered', 492: 'nĂ£o', 493: 'stirring', 494: 'moans', 495: "don't", 496: 'stolen', 497: 'sending', 498: 'female_inspector:', 499: 'crowd:', 500: 'inning', 501: 'crummy', 502: 'depending', 503: 'my', 504: 'certainly', 505: 'separator', 506: 'snout', 507: 'cooker', 508: 'back', 509: 'cowboys', 510: 'swill', 511: 'tied', 512: 'papa', 513: 'ring', 514: 'hobo', 515: 'drink', 516: 'settled', 517: 'belch', 518: 'site', 519: 'ripcord', 520: 'pre-columbian', 521: 'jury', 522: 'upgrade', 523: 'shades', 524: 'continuing', 525: "edna's", 526: "who's", 527: 'reciting', 528: 'scatter', 529: 'sleeping', 530: 'matter', 531: 'jewelry', 532: 'shot', 533: 'marge', 534: 'connor-politan', 535: 'loathe', 536: 'wenceslas', 537: 'glad', 538: 'rainbows', 539: 'alternative', 540: 'ugh', 541: 'prettied', 542: 'vampires', 543: 'starving', 544: 'stonewall', 545: 'fireworks', 546: 'suspicious', 547: 'brainheaded', 548: 'sensible', 549: 'icy', 550: 'clandestine', 551: 'dials', 552: 'mis-statement', 553: 'compliment', 554: 'souped', 555: 'x-men', 556: 'sea', 557: 'bits', 558: 'alfalfa', 559: 'one-hour', 560: 'practically', 561: 'charming', 562: "mtv's", 563: 'learned', 564: 'hammock', 565: 'somebody', 566: "cheerin'", 567: 'basement', 568: 'produce', 569: 'fifth', 570: 'giggles', 571: 'themselves', 572: "tonight's", 573: 'bullet-proof', 574: 'twenty-six', 575: 'bugging', 576: "hell's", 577: 'dramatic', 578: 'keeps', 579: 'harv', 580: 'options', 581: 'ze-ro', 582: 'tooth', 583: 'jokes', 584: 'sabermetrics', 585: 'alien', 586: 'tap', 587: "pressure's", 588: 'sketching', 589: 'andalay', 590: 'farewell', 591: "tap-pullin'", 592: 'everyday', 593: 'dunno', 594: 'meatpies', 595: 'gals', 596: 'snapping', 597: 'looting', 598: 'ferry', 599: 'terrible', 600: 'stamp', 601: 'politicians', 602: 'sperm', 603: 'pint', 604: 'itself', 605: 'champ', 606: 'frankly', 607: 'neighbors', 608: "wouldn't-a", 609: 'youse', 610: 'free', 611: 'say', 612: 'landfill', 613: "drawin'", 614: 'dĂ¼ffenbraus', 615: 'crippling', 616: '_julius_hibbert:', 617: 'straighten', 618: 'misfire', 619: 'stays', 620: 'co-sign', 621: 'carefully', 622: 'mac-who', 623: 'funds', 624: "how's", 625: 'bedbugs', 626: 'worry', 627: 'kissingher', 628: 'weeks', 629: 'two', 630: 'bartender', 631: 'cheese', 632: 'edna', 633: 'agency', 634: 'ruin', 635: 'sweaty', 636: 'abe', 637: 'pretentious_rat_lover:', 638: 'dealie', 639: 'judges', 640: 'sheepish', 641: 'religious', 642: 'cock', 643: 'pugilist', 644: 'considering', 645: 'smallest', 646: 'extra', 647: 'recorder', 648: 'shooting', 649: 'comedies', 650: 'macaulay', 651: 'ladder', 652: "g'ahead", 653: 'territorial', 654: 'comeback', 655: 'bart', 656: 'insightful', 657: 'honey', 658: 'grave', 659: 'barney-type', 660: 'clincher', 661: 'string', 662: 'flames', 663: 'moolah-stealing', 664: 'law', 665: 'remote', 666: 'dae', 667: 'boyhood', 668: 'fritz:', 669: 'customers', 670: 'sec_agent_#2:', 671: 'murmur', 672: 'close', 673: 'mouse', 674: 'ohhhh', 675: 'bill_james:', 676: 'sweden', 677: 'game', 678: "swishifyin'", 679: 'flailing', 680: 'highway', 681: 'surprised/thrilled', 682: 'exchange', 683: 'soon', 684: 'blame', 685: 'including', 686: 'procedure', 687: 'gin', 688: 'cause', 689: 'physical', 690: 'happy', 691: 'calvin', 692: 'defiantly', 693: 'priest', 694: 'looking', 695: 'use', 696: 'gig', 697: 'sustain', 698: 'lipo', 699: 'thirty-nine', 700: 'birthplace', 701: 'villanova', 702: 'stupid', 703: 'public', 704: 'pirate', 705: 'movie', 706: 'sing', 707: 'mckinley', 708: 'fishing', 709: 'vicious', 710: 'quiet', 711: 'shotgun', 712: 'pulitzer', 713: 'jay_leno:', 714: 'smooth', 715: 'windshield', 716: 'awake', 717: 'intelligent', 718: 'kentucky', 719: 'veux', 720: 'willy', 721: 'distance', 722: 'ticket', 723: 'patented', 724: 'any', 725: 'peeping', 726: 'blowfish', 727: 'train', 728: 'blade', 729: 'lush', 730: 'training', 731: 'slip', 732: 'eleven', 733: 'ayyy', 734: 'grains', 735: 'rule', 736: 'yuh-huh', 737: 'clearly', 738: 'cheapskates', 739: 'gags', 740: 'rector', 741: 'news', 742: 'tears', 743: "fishin'", 744: 'tenuous', 745: 'edna-lover-one-seventy-two', 746: 'mostrar', 747: 'gotten', 748: 'hafta', 749: '_hooper:', 750: 'spender', 751: 'fall', 752: 'grunt', 753: 'itchy', 754: 'psst', 755: 'complicated', 756: 'audience:', 757: 'bedroom', 758: 'sixty', 759: 'simpson', 760: 'model', 761: 'malabar', 762: 'malted', 763: 'mini-beret', 764: 'hate-hugs', 765: 'fix', 766: 'yeah', 767: 'fiction', 768: 'adeleine', 769: 'midnight', 770: 'somewhere', 771: 'crunch', 772: 'lance', 773: 'hair', 774: 'unusual', 775: 'eyeing', 776: 'where', 777: 'heartless', 778: 'changes', 779: 'high-definition', 780: 'raise', 781: 'clapping', 782: 'combines', 783: "tryin'", 784: 'anderson', 785: 'nobel', 786: 'anyhoo', 787: 'wait', 788: 'mill', 789: 'heather', 790: 'haws', 791: 'associate', 792: 'halloween', 793: 'broad', 794: 'temp', 795: 'glee', 796: 'advantage', 797: 'pause', 798: 'intervention', 799: 'patron_#1:', 800: 'owned', 801: 'country-fried', 802: 'bigger', 803: 'knives', 804: "boy's", 805: 'utility', 806: 'turn', 807: 'commanding', 808: "raggin'", 809: 'western', 810: "he'll", 811: 'chain', 812: 'doing', 813: 'arab_man:', 814: 'pin', 815: 'saturday', 816: 'ready', 817: 'richard', 818: 'gee', 819: 'electronic', 820: 'awe', 821: 'clothespins:', 822: 'respect', 823: 'groans', 824: 'gesture', 825: 'fly', 826: 'nagurski', 827: 'pretzel', 828: 'lady', 829: 'actor', 830: 'david_byrne:', 831: 'vacations', 832: "mo'", 833: "i-i'm", 834: 'civilization', 835: 'gayer', 836: 'fellow', 837: 'rickles', 838: 'exclusive:', 839: 'dive', 840: 'eyeball', 841: 'koi', 842: 'simultaneous', 843: 'located', 844: 'asses', 845: 'her', 846: 'cool', 847: 'fast-food', 848: 'served', 849: 'ignorance', 850: 'ate', 851: 'random', 852: 'placing', 853: 'shop', 854: 'affection', 855: 'steinbrenner', 856: 'today/', 857: 'courts', 858: 'hoping', 859: 'assumed', 860: 'desperately', 861: 'orders', 862: 'hmm', 863: 'enjoyed', 864: 'reentering', 865: 'ping-pong', 866: "singin'", 867: 'bindle', 868: 'apart', 869: 'choice', 870: 'wonder', 871: 'file', 872: 'costume', 873: 'drift', 874: 'steampunk', 875: 'beautiful', 876: 'pennies', 877: 'beefs', 878: 'anybody', 879: 'and-and', 880: 'sixteen', 881: 'david', 882: 'annie', 883: 'interesting', 884: 'gives', 885: 'tatum', 886: 'average-looking', 887: 'biggest', 888: 'chipped', 889: 'good-looking', 890: 'cranberry', 891: 'roses', 892: 'astonishment', 893: 'dreamed', 894: 'world-class', 895: 'pickles', 896: 'up', 897: 'shard', 898: 'meaning', 899: 'outstanding', 900: 'looser', 901: 'frightened', 902: 'perverse', 903: 'b-day', 904: 'background', 905: 'perking', 906: 'clothes', 907: 'broke', 908: 'bourbon', 909: 'seething', 910: 'hunter', 911: 'e', 912: 'so', 913: 'newest', 914: 'powers', 915: 'jerks', 916: 'tiny', 917: 'called', 918: 'pridesters:', 919: 'rivalry', 920: 'rotten', 921: 'guinea', 922: 'ehhhhhhhhh', 923: 'pre-game', 924: 'nibble', 925: 'eats', 926: 'chug', 927: 'try', 928: 'with', 929: 'signed', 930: 'renee:', 931: 'gumbel', 932: 'supplying', 933: 'polygon', 934: 'barf', 935: 'nominated', 936: "somethin's", 937: 'theater', 938: 'vehicle', 939: 'almost', 940: 'began', 941: 'coy', 942: 'fifty', 943: 'mason', 944: 'spiritual', 945: 'boggs', 946: 'paper', 947: 'conference', 948: 'tuborg', 949: 'mugs', 950: 'king', 951: 'dee-fense', 952: "i'unno", 953: 'grease', 954: 'salvation', 955: 'adjourned', 956: 'politics', 957: 'forgive', 958: 'reptile', 959: 'jerry', 960: 'grandĂ©', 961: 'rather', 962: 'zack', 963: 'awfully', 964: 'merchants', 965: 'wood', 966: 'full-bodied', 967: 'admiration', 968: 'find', 969: 'traditions', 970: 'shocked', 971: 'closes', 972: 'swelling', 973: 'greetings', 974: 'careful', 975: 'nasa', 976: 'confidence', 977: 'thawing', 978: 'ease', 979: 'sunglasses', 980: 'fill', 981: 'you-need-man', 982: 'grow', 983: 'pipe', 984: 'kennedy', 985: '2', 986: 'emotion', 987: "wife's", 988: 'ruined', 989: 'swe-ee-ee-ee-eet', 990: 'beep', 991: 'nope', 992: 'compliments', 993: 'smelling', 994: 'better', 995: 'sneak', 996: "'ceptin'", 997: 'gardens', 998: 'roll', 999: 'dames', 1000: 'pays', 1001: 'pity', 1002: 'serious', 1003: 'cross-country', 1004: 'glitterati', 1005: 'lowers', 1006: 'hiding', 1007: 'rob', 1008: 'williams', 1009: 'tomatoes', 1010: 'blossoming', 1011: 'entirely', 1012: 'cola', 1013: 'shack', 1014: 'scary', 1015: 'goes', 1016: 'sour', 1017: 'thanking', 1018: 'shutup', 1019: 'soothing', 1020: 'donut', 1021: 'sex', 1022: 'south', 1023: 'smell', 1024: "ragin'", 1025: 'card', 1026: 'danish', 1027: 'your', 1028: 'no', 1029: 'c', 1030: 'refresh', 1031: 'mug', 1032: 'pursue', 1033: 'team', 1034: 'kind', 1035: 'sometimes', 1036: 'ways', 1037: 'losing', 1038: 'tang', 1039: 'support', 1040: 'haplessly', 1041: 'okay', 1042: 'machine', 1043: 'gentles', 1044: 'appear', 1045: 'author', 1046: 'charlie', 1047: 'fresh', 1048: 'impress', 1049: 'nachos', 1050: 'innocuous', 1051: 'earlier', 1052: 'grain', 1053: 'turlet', 1054: 'stops', 1055: 'fake', 1056: 'question', 1057: 'knowingly', 1058: 'group', 1059: 'travel', 1060: 'created', 1061: 'nursemaid', 1062: 'hall', 1063: 'incredulous', 1064: 'mamma', 1065: 'goo', 1066: "changin'", 1067: 'fdic', 1068: 'suddenly', 1069: 'incapable', 1070: 'slapped', 1071: 'elaborate', 1072: 'executive', 1073: 'savings', 1074: 'clown-like', 1075: 'swear', 1076: 'universe', 1077: "fans'll", 1078: "bringin'", 1079: 'maya:', 1080: 'harmony', 1081: 'statue', 1082: 'catch', 1083: 'insulted', 1084: "i'm", 1085: 'fondest', 1086: 'prayers', 1087: 'wha', 1088: 'micronesian', 1089: 'threw', 1090: 'bedridden', 1091: 'snow', 1092: 'bottle', 1093: 'inches', 1094: 'sadistic_barfly:', 1095: 'awwww', 1096: 'tom', 1097: 'influence', 1098: 'birth', 1099: 'ecru', 1100: 'tee', 1101: 'pills', 1102: 'begins', 1103: 'op', 1104: 'strategy', 1105: 'goodnight', 1106: 'finally', 1107: 'jerking', 1108: 'enjoys', 1109: 'professor', 1110: 'eww', 1111: 'crimes', 1112: 'repressed', 1113: '1-800-555-hugs', 1114: 'manchego', 1115: 'everyone', 1116: 'scruffy_blogger:', 1117: 'gestated', 1118: 'browns', 1119: 'additional-seating-capacity', 1120: 'twelveball', 1121: 'rife', 1122: 'prison', 1123: 'wheel', 1124: 'unfortunately', 1125: 'duffman', 1126: 'device', 1127: 'easygoing', 1128: 'umm', 1129: 'utensils', 1130: 'hardhat', 1131: 'o', 1132: 'alphabet', 1133: 'radical', 1134: 'woman_bystander:', 1135: 'dirge-like', 1136: 'decision', 1137: 'scoffs', 1138: 'irs', 1139: 'boxcars', 1140: 'abolish', 1141: 'dumb-asses', 1142: '_kissingher:', 1143: 'totalitarians', 1144: 'judge_snyder:', 1145: 'sits', 1146: 'barbara', 1147: 'con', 1148: 'gruesome', 1149: 'hunka', 1150: 'rat-like', 1151: 'science', 1152: 'wears', 1153: 'thirsty', 1154: 'half-back', 1155: 'government', 1156: 'based', 1157: 'gentleman:', 1158: 'suspiciously', 1159: 'lighten', 1160: 'stepped', 1161: 'hub', 1162: 'thousands', 1163: 'saving', 1164: 'sense', 1165: 'ever', 1166: 'endorsed', 1167: 'without', 1168: '100', 1169: 'competing', 1170: 'high', 1171: 'grandkids', 1172: 'wally:', 1173: 'duty', 1174: 'than', 1175: 'cards', 1176: 'relative', 1177: 'shipment', 1178: 'whim', 1179: 'payments', 1180: 'troy', 1181: 'dipping', 1182: 'sprawl', 1183: 'sec', 1184: 'wayne:', 1185: 'bright', 1186: 'patting', 1187: 'stage', 1188: 'formico:', 1189: 'shutting', 1190: 'common', 1191: 'unexplained', 1192: 'cookies', 1193: 'supply', 1194: 'loss', 1195: 'died', 1196: 'hm', 1197: 'homeland', 1198: 'exception:', 1199: 'decide:', 1200: 'declan', 1201: 'sobbing', 1202: 'boring', 1203: 'roz', 1204: 'rebuttal', 1205: 'much', 1206: 'solo', 1207: 'fixed', 1208: 'eliminate', 1209: 'dispenser', 1210: 'dog', 1211: 'tomorrow', 1212: 'hit', 1213: 'ghouls', 1214: 'eighty-one', 1215: 'introduce', 1216: 'falsetto', 1217: 'closing', 1218: 'brother', 1219: "buyin'", 1220: 'mortal', 1221: 'warn', 1222: 'limited', 1223: 'shoes', 1224: 'depression', 1225: "hawkin'", 1226: 'nevada', 1227: 'feed', 1228: 'angrily', 1229: '_eugene_blatz:', 1230: 'unsourced', 1231: 'parking', 1232: 'mother', 1233: 'orifice', 1234: 'burning', 1235: 'vomit', 1236: 'flack', 1237: 'hawaii', 1238: 'mess', 1239: 'sweater', 1240: 'doooown', 1241: 'ohh', 1242: 'cover', 1243: 'cats', 1244: 'force', 1245: 'direction', 1246: 'listened', 1247: "takin'", 1248: 'unfresh', 1249: 'followed', 1250: 'plant', 1251: 'orphan', 1252: 'corporation', 1253: "hadn't", 1254: 'luckiest', 1255: 'gave', 1256: 'spread', 1257: 'shoe', 1258: 'yelp', 1259: 'kahlua', 1260: 'stones', 1261: 'pulls', 1262: 'hits', 1263: 'wave', 1264: 'international', 1265: 'examines', 1266: 'champs', 1267: 'sudden', 1268: 'multi-purpose', 1269: '14', 1270: 'rest', 1271: 'royal', 1272: 'patriotic', 1273: 'pretends', 1274: "playin'", 1275: 'diving', 1276: 'joey_kramer:', 1277: 'frozen', 1278: "depressin'", 1279: 'buddies', 1280: 'damn', 1281: 'huge', 1282: 'found', 1283: 'broken', 1284: 'arm', 1285: 'lorre', 1286: 'painting', 1287: "disrobin'", 1288: 'ahhhh', 1289: 'hibbert', 1290: 'sorts', 1291: 'raccoons', 1292: 'pharmaceutical', 1293: 'voice_on_transmitter:', 1294: 'anything', 1295: 'grandmother', 1296: 'quite', 1297: 'look', 1298: 'standards', 1299: 'dealt', 1300: 'debonair', 1301: "dimwit's", 1302: 'fat-free', 1303: 'blood-thirsty', 1304: 'consulting', 1305: 'pine', 1306: 'beer-dorf', 1307: 'choked', 1308: 'bleeding', 1309: 'slogan', 1310: "y'see", 1311: 'trashed', 1312: 'situation', 1313: 'renders', 1314: "buffalo's", 1315: 'confidentially', 1316: 'goods', 1317: 'party', 1318: 'fbi_agent:', 1319: 'investment', 1320: 'justify', 1321: 'mild', 1322: "fun's", 1323: 'chauffeur:', 1324: 'luck', 1325: 'boozebag', 1326: 'rat', 1327: 'natured', 1328: 'clinton', 1329: 'sandwich', 1330: 'vengeance', 1331: 're-al', 1332: 'network', 1333: 'ask', 1334: 'belong', 1335: 'risquĂ©', 1336: 'julienne', 1337: 'enforced', 1338: 'stickers', 1339: 'suicide', 1340: 'forgot', 1341: 'cushions', 1342: 'remorseful', 1343: 'blinds', 1344: 'remember', 1345: 'wiener', 1346: 'lights', 1347: 'strap', 1348: 'renovations', 1349: 'write', 1350: 'yes', 1351: 'driveability', 1352: 'brilliant', 1353: 'street', 1354: 'punk', 1355: 'oddest', 1356: 'tax', 1357: 'bobo', 1358: 'rafters', 1359: 'sideshow', 1360: 'jernt', 1361: 'milks', 1362: 'laughs', 1363: 'gus', 1364: 'seats', 1365: 'fantastic', 1366: 'surprise', 1367: 'hero-phobia', 1368: 'jobs', 1369: 'covers', 1370: 'conversation', 1371: 'kills', 1372: 'mexicans', 1373: 'whirlybird', 1374: 'for', 1375: 'funniest', 1376: 'aunt', 1377: 'manuel', 1378: 'distaste', 1379: 'railroads', 1380: 'chair', 1381: 'crumble', 1382: 'table', 1383: 'town', 1384: 'eyes', 1385: 'domed', 1386: 'testing', 1387: 'barney', 1388: 'disco', 1389: 'happened', 1390: 'tavern', 1391: "b-52's:", 1392: "linin'", 1393: 'swimmers', 1394: 'rueful', 1395: 'iddilies', 1396: 'th', 1397: 'lime', 1398: 'thomas', 1399: 'button-pusher', 1400: 'brewed', 1401: 'reality', 1402: 'barber', 1403: 'hitchhike', 1404: 'chunky', 1405: 'factor', 1406: 'please/', 1407: 'rods', 1408: "now's", 1409: 'drop-off', 1410: 'penmanship', 1411: 'tar-paper', 1412: 'allowed', 1413: 'bumped', 1414: 'finance', 1415: "ol'", 1416: 'weirder', 1417: 'checks', 1418: 'ihop', 1419: "workin'", 1420: 'roy', 1421: 'noise', 1422: 'grocery', 1423: 'golf', 1424: 'crowned', 1425: 'limits', 1426: 'jebediah', 1427: "'evening", 1428: 'looks', 1429: 'muttering', 1430: 'six', 1431: 'progress', 1432: 'flatly', 1433: "nothin's", 1434: 'kicked', 1435: 'remain', 1436: 'cuckoo', 1437: 'canyoner-oooo', 1438: 'exit', 1439: 'reviews', 1440: 'drawer', 1441: 'natural', 1442: 'usually', 1443: '250', 1444: 'imitating', 1445: "smokin'", 1446: 'pas', 1447: 'made', 1448: 'installed', 1449: 'rice', 1450: 'way', 1451: 'stink', 1452: 'speed', 1453: 'arabs', 1454: 'fighter', 1455: 'raking', 1456: 'dropping', 1457: 'thanks', 1458: 'number', 1459: 'buyer', 1460: 'annoyed', 1461: 'rough', 1462: 'smiles', 1463: 'mom', 1464: 'circus', 1465: 'into', 1466: 'larson', 1467: 'hibachi', 1468: 'photographer', 1469: 'totally', 1470: 'waterfront', 1471: 'tells', 1472: 'drunk', 1473: 'mr', 1474: 'closed', 1475: "somethin'", 1476: 'carve', 1477: 'studied', 1478: 'savagely', 1479: 'remodel', 1480: "stabbin'", 1481: 'mull', 1482: 'store', 1483: 'whistling', 1484: 'sit', 1485: 'two-drink', 1486: 'years', 1487: 'freeze', 1488: 'soaps', 1489: 'supermarket', 1490: 'losers', 1491: 'poplar', 1492: 'is:', 1493: 'fuss', 1494: 'bowling', 1495: 'prompting', 1496: 'paying', 1497: 'sitar', 1498: 'all:', 1499: 'first', 1500: 'twenty-five', 1501: 'done:', 1502: 'winning', 1503: 'nigel_bakerbutcher:', 1504: 'coach:', 1505: 'bird', 1506: 'applicant', 1507: 'anyway', 1508: 'gunter', 1509: 'bono:', 1510: 'tow-joes', 1511: 'leprechaun', 1512: 'sloe', 1513: 'murmurs', 1514: 'during', 1515: 'neighborhood', 1516: 'disappointment', 1517: 'capuchin', 1518: 'information', 1519: '<quotation_mark>', 1520: 'breaking', 1521: 'fica', 1522: 'strips', 1523: 'mither', 1524: 'gloop', 1525: 'straight', 1526: 'cooking', 1527: 'slipped', 1528: 'cousin', 1529: 'craphole', 1530: 'smiling', 1531: 'beyond', 1532: 'fist', 1533: 'community', 1534: 'lurleen_lumpkin:', 1535: 'wall', 1536: 'freshened', 1537: 'aghast', 1538: "makin'", 1539: 'root', 1540: "goin'", 1541: 'carll', 1542: 'theory', 1543: 'caper', 1544: 'bannister', 1545: 'jazz', 1546: "bettin'", 1547: 'scrape', 1548: 'sky', 1549: 'clone', 1550: 'check', 1551: 'hmmm', 1552: 'results', 1553: 'wars', 1554: 'mailbox', 1555: 'retired', 1556: 'eighty-three', 1557: 'hoo', 1558: 'broncos', 1559: 'andrew', 1560: "someone's", 1561: 'firing', 1562: 'ducked', 1563: 'dingy', 1564: 'counter', 1565: 'tester', 1566: 'lift', 1567: 'sitting', 1568: 'bucks', 1569: 'telemarketing', 1570: 'generosity', 1571: 'wallet', 1572: 'spirit', 1573: 'hurt', 1574: 'hexa-', 1575: 'rounds', 1576: 'sickens', 1577: 'beeps', 1578: 'lovelorn', 1579: 'engraved', 1580: 'atari', 1581: 'agent', 1582: 'naturally', 1583: 'boxcar', 1584: "sayin'", 1585: 'edgy', 1586: 'yawns', 1587: 'treasure', 1588: 'wa', 1589: 'juice', 1590: 'entire', 1591: 'hello', 1592: 'dateline', 1593: 'senator', 1594: 'join', 1595: "fryer's", 1596: 'weep', 1597: 'heaving', 1598: 'book', 1599: 'whee', 1600: 'drunkening', 1601: 'bathed', 1602: 'pool', 1603: 'reserved', 1604: 'oopsie', 1605: 'jägermeister', 1606: 'scully', 1607: 'aggravated', 1608: 'pfft', 1609: 'honored', 1610: 'late', 1611: 'i-i-i', 1612: 'thoughtful', 1613: 'house', 1614: 'burt_reynolds:', 1615: 'adopted', 1616: 'fever', 1617: 'thinks', 1618: 'marjorie', 1619: 'sir', 1620: 'silence', 1621: 'zeal', 1622: 'jukebox', 1623: 'guess', 1624: 'broken:', 1625: 'channel', 1626: 'cat', 1627: 'kucinich', 1628: 'cheap', 1629: "chewin'", 1630: 'race', 1631: 'causes', 1632: 'director', 1633: 'appreciate', 1634: 'maximum', 1635: 'beatings', 1636: 'toasting', 1637: 'virtual', 1638: 'wasting', 1639: 'orgasmville', 1640: 'plants', 1641: 'illegal', 1642: 'nudge', 1643: 'kazoo', 1644: 'patron_#2:', 1645: 'before', 1646: 'windex', 1647: 'harv:', 1648: 'rap', 1649: 'stengel', 1650: 'minus', 1651: 'streetcorner', 1652: 'sponge:', 1653: "tree's", 1654: 'scam', 1655: 'napkins', 1656: 'issues', 1657: 'considering:', 1658: 'trucks', 1659: 'gargoyles', 1660: 'olive', 1661: 'macbeth', 1662: '<comma>', 1663: 'kyoto', 1664: 'pictured', 1665: 'selection', 1666: 'cow', 1667: 'obese', 1668: 'occasional', 1669: 'slays', 1670: 'prep', 1671: 'wieners', 1672: 'strictly', 1673: 'relaxing', 1674: 'wrap', 1675: 'choices:', 1676: 'occasion', 1677: 'deliberate', 1678: 'dollar', 1679: 'elizabeth', 1680: 'open', 1681: 'worldly', 1682: "you'll", 1683: 'carnival', 1684: 'loves', 1685: 'korea', 1686: 'rules', 1687: "you're", 1688: 'finish', 1689: 'getcha', 1690: 'tease', 1691: 'cecil_terwilliger:', 1692: 'medicine', 1693: 'eurotrash', 1694: 'harvesting', 1695: 'sanitation', 1696: 'improved', 1697: 'bread', 1698: 'due', 1699: 'nash', 1700: 'darkest', 1701: 'flush', 1702: 'carl:', 1703: 'lucius', 1704: 'mirthless', 1705: "round's", 1706: 'cupid', 1707: 'bull', 1708: 'moe_szyslak:', 1709: 'nor', 1710: 'sick', 1711: 'wounds', 1712: 'honest', 1713: 'club', 1714: "it's", 1715: 'shirt', 1716: 'strawberry', 1717: 'overflowing', 1718: 'control', 1719: 'looooooooooooooooooong', 1720: 'alma', 1721: 'appendectomy', 1722: 'spoon', 1723: 'thirty-three', 1724: 'marched', 1725: 'luv', 1726: 'shoulda', 1727: 'nice', 1728: '50-60', 1729: 'non-losers', 1730: 'attention', 1731: 'suspended', 1732: 'traitors', 1733: 'to', 1734: "game's", 1735: 'cigarette', 1736: 'wuss', 1737: 'las', 1738: 'shoot', 1739: 'slap', 1740: 'caught', 1741: 'jeff', 1742: 'twins', 1743: 'decadent', 1744: 'reckless', 1745: 'lifetime', 1746: 'crapmore', 1747: 'refinanced', 1748: 'deliberately', 1749: 'ones', 1750: 'billy_the_kid:', 1751: 'live', 1752: 'padres', 1753: 'smells', 1754: 'vodka', 1755: 'love-matic', 1756: 'exact', 1757: 'refreshingness', 1758: 'eddie', 1759: "elmo's", 1760: 'bar_rag:', 1761: 'dirt', 1762: 'trees', 1763: 'mint', 1764: 'chief_wiggum:', 1765: 'swamp', 1766: 'chipper', 1767: 'be-stainèd', 1768: 'sell', 1769: 'bauer', 1770: "o'reilly", 1771: "collector's", 1772: 'test-', 1773: 'roomy', 1774: 'seek', 1775: 'possessions', 1776: 'watch', 1777: 'bears', 1778: 'million', 1779: 'ruby-studded', 1780: 'road', 1781: 'allowance', 1782: 'stern', 1783: "stinkin'", 1784: 'forecast', 1785: 'cartoons', 1786: 'sleeps', 1787: 'wondered', 1788: 'officer', 1789: 'gums', 1790: 'snake-handler', 1791: 'evasive', 1792: 'service', 1793: 'weird', 1794: 'consoling', 1795: 'commit', 1796: 'swallowed', 1797: 'junkyard', 1798: 'said', 1799: 'parents', 1800: 'matter-of-fact', 1801: "puttin'", 1802: 'hotenhoffer', 1803: 'mt', 1804: 'skeptical', 1805: 'humiliation', 1806: 'flown', 1807: 'increased', 1808: 'cyrano', 1809: 'hats', 1810: 'society_matron:', 1811: 'nurse', 1812: 'subject', 1813: 'burnside', 1814: 'longer', 1815: 'lincoln', 1816: 'wise', 1817: 'thanksgiving', 1818: 'bachelorette', 1819: 'proud', 1820: 'brassiest', 1821: 'cocks', 1822: 'ingested', 1823: 'floor', 1824: 'corn', 1825: 'delete', 1826: 'monkeyshines', 1827: 'sad', 1828: 'obsessive-compulsive', 1829: 'mechanical', 1830: 'jimmy', 1831: 'presided', 1832: 'pizza', 1833: 'hillbillies', 1834: 'slit', 1835: 'whole', 1836: 'ails', 1837: 'transmission', 1838: 'screws', 1839: 'ding-a-ding-ding-a-ding-ding', 1840: 'undated', 1841: 'exhaust', 1842: 'concentrate', 1843: 'y', 1844: "what're", 1845: 'isle', 1846: 'dreams', 1847: 'wolfcastle', 1848: "isn't", 1849: 'grubby', 1850: 'idioms', 1851: 'welcome', 1852: 'flynt', 1853: 'shaggy', 1854: 'plums', 1855: 'homers', 1856: 'kid', 1857: 'badmouth', 1858: 'college', 1859: 'glummy', 1860: 'meet', 1861: 'continuum', 1862: 'nobody', 1863: 'searching', 1864: 'griffith', 1865: 'nickels', 1866: 'admirer', 1867: 'darjeeling', 1868: 'sleigh-horses', 1869: "blowin'", 1870: "aren'tcha", 1871: 'yard', 1872: 'paris', 1873: 'palm', 1874: 'solves', 1875: 'fragile', 1876: 'shesh', 1877: "breakin'", 1878: 'edna_krabappel-flanders:', 1879: 'ratio', 1880: 'away', 1881: 'graveyard', 1882: "feelin's", 1883: 'badly', 1884: 'moving', 1885: 'pleasure', 1886: 'busy', 1887: 'wreck', 1888: 'restroom', 1889: 'picky', 1890: "'now", 1891: 'bar-boy', 1892: 'prices', 1893: 'ideal', 1894: 'colossal', 1895: 'lead', 1896: 'pardon', 1897: 'play', 1898: 'intense', 1899: 'municipal', 1900: 'lost', 1901: 'owe', 1902: 'hours', 1903: 'superhero', 1904: 'masks', 1905: "treatin'", 1906: 'advertise', 1907: 'cushion', 1908: "mecca's", 1909: 'deals', 1910: "america's", 1911: 'seemed', 1912: 'beating', 1913: 'stool', 1914: "hasn't", 1915: 'trenchant', 1916: 'starla:', 1917: 'starts', 1918: 'fondly', 1919: 'boozy', 1920: 'presidential', 1921: 'beaumont', 1922: 'recent', 1923: 'them', 1924: 'cases', 1925: 'instead', 1926: 'calmly', 1927: 'picture', 1928: 'true', 1929: 'uses', 1930: 'nailed', 1931: 'dirty', 1932: 'type', 1933: 'pointy', 1934: 'sweet', 1935: 'became', 1936: 'mid-seventies', 1937: 'dexterous', 1938: 'awareness', 1939: 'lookalike:', 1940: 'ninth', 1941: 'einstein', 1942: "'s", 1943: 'return', 1944: 'island', 1945: 'shark', 1946: 'give', 1947: 'cutie', 1948: 'um', 1949: 'does', 1950: 'strains', 1951: 'also', 1952: 'sitcom', 1953: 'sentimonies', 1954: 'ech', 1955: 'very', 1956: 'lager', 1957: 'guest', 1958: 'finishing', 1959: 'confused', 1960: 'fell', 1961: 'brace', 1962: "startin'", 1963: 'wobble', 1964: "livin'", 1965: 'sacajawea', 1966: 'porn', 1967: 'avalanche', 1968: 'case', 1969: 'blew', 1970: 'virility', 1971: "s'cuse", 1972: "can't", 1973: 'mel', 1974: 'flips', 1975: '10:15', 1976: 'taxes', 1977: 'muscles', 1978: 'hems', 1979: 'birthday', 1980: 'chateau', 1981: 'teacup', 1982: 'fortensky', 1983: "wait'll", 1984: 'imagine', 1985: 'mommy', 1986: 'mind', 1987: 'wordloaf', 1988: 'fl', 1989: 'guilt', 1990: 'pantry', 1991: 'military', 1992: 'rom', 1993: 'specific', 1994: 'vermont', 1995: 'burger', 1996: 'freedom', 1997: 'ignoring', 1998: 'rug', 1999: 'statistician', 2000: 'captain', 2001: "man's", 2002: 'freak', 2003: 'u2:', 2004: 'r', 2005: 'bones', 2006: 'dryer', 2007: 'ralph', 2008: 'bartenders', 2009: 'given', 2010: 'loboto-moth', 2011: 'strongly', 2012: 'boned', 2013: 'pretending', 2014: 'meant', 2015: 'bash', 2016: 'lungs', 2017: 'holy', 2018: "thinkin'", 2019: 'magnanimous', 2020: 'fears', 2021: 'men:', 2022: 'frustrated', 2023: 'himself', 2024: 'sacrilicious', 2025: 'terror', 2026: 'spite', 2027: 'spotting', 2028: 'tries', 2029: 'whaaaa', 2030: 'caholic', 2031: 'gheet', 2032: 'fire', 2033: 'beat', 2034: 'cannoli', 2035: "you've", 2036: 'flash-fry', 2037: 'value', 2038: 'foodie', 2039: 'eight', 2040: 'money', 2041: 'sissy', 2042: "challengin'", 2043: 'husband', 2044: 'program', 2045: 'hundreds', 2046: 'bender:', 2047: 'bowl', 2048: 'supervising', 2049: 'swatch', 2050: 'held', 2051: 'arrested:', 2052: 'hillary', 2053: 'rig', 2054: 'surprised', 2055: 'both', 2056: 'leave', 2057: 'wacky', 2058: 'soaked', 2059: 'nonchalant', 2060: 'lisa_simpson:', 2061: 'sisters', 2062: 'nineteen', 2063: 'cruiser', 2064: 'throwing', 2065: 'offshoot', 2066: 'disco_stu:', 2067: 'room', 2068: 'photos', 2069: 'plaintive', 2070: "crawlin'", 2071: 'grumpy', 2072: 'by', 2073: 'linda', 2074: 'address', 2075: 'wiggle', 2076: 'sobo', 2077: '-ry', 2078: 'deny', 2079: 'lying', 2080: 'scrutinizes', 2081: 'bear', 2082: 'black', 2083: 'mail', 2084: 'fifteen', 2085: 'elect', 2086: 'mathis', 2087: 'a-b-', 2088: 'eventually', 2089: 'wildfever', 2090: 'stealings', 2091: 'harvard', 2092: 'haircuts', 2093: 'briefly', 2094: 'tin', 2095: 'pen', 2096: "soakin's", 2097: 'chill', 2098: 'canoodling', 2099: 'add', 2100: "i'll", 2101: 'hired', 2102: 'stir', 2103: 'private', 2104: "others'", 2105: 'citizens', 2106: 'date', 2107: 'ma', 2108: "father's", 2109: 'hooked', 2110: 'knowing', 2111: 'skoal', 2112: 'send', 2113: 'stalwart', 2114: 'feat', 2115: "wasn't", 2116: 'swimming', 2117: 'poetics', 2118: 'hostages', 2119: 'foot', 2120: 'tsking', 2121: 'pip', 2122: 'sickly', 2123: 'nods', 2124: 'die', 2125: 'attempting', 2126: 'settlement', 2127: 'pus-bucket', 2128: "professor's", 2129: 'pretend', 2130: 'barney_gumble:', 2131: 'writers', 2132: 'donut-shaped', 2133: 'intention', 2134: 'end', 2135: "'er", 2136: 'kitchen', 2137: 'picnic', 2138: 'night', 2139: 'killed', 2140: 'ireland', 2141: 'gator:', 2142: 'planned', 2143: 'oww', 2144: 'phone', 2145: 'shrugging', 2146: 'big', 2147: 'swan', 2148: 'newspaper', 2149: 'doreen', 2150: 'slobbo', 2151: '/', 2152: "valentine's", 2153: 'post-suicide', 2154: 'furry', 2155: 'longest', 2156: 'surgery', 2157: "comin'", 2158: 'fight', 2159: 'i/you', 2160: 'neither', 2161: 'mind-numbing', 2162: 'reserve', 2163: 'pee', 2164: 'not', 2165: 'bought', 2166: 'young_moe:', 2167: 'boston', 2168: 'permitting', 2169: 'forward', 2170: 'fat', 2171: 'hearts', 2172: 'dying', 2173: 'sticking-place', 2174: 'twenty', 2175: 'injury', 2176: 'presses', 2177: 'warily', 2178: "president's", 2179: 'anymore', 2180: 'bowled', 2181: 'babar', 2182: 'smurfs', 2183: 'emergency', 2184: 'sponge', 2185: 'delicately', 2186: 'mickey', 2187: 'starlets', 2188: 'ball-sized', 2189: 'urban', 2190: 'pawed', 2191: '<period>', 2192: 'bagged', 2193: 'lawyer', 2194: 'grampa', 2195: 'mabel', 2196: 'pall', 2197: 'upset', 2198: 'unjustly', 2199: 'wins', 2200: 'celebration', 2201: 'bastard', 2202: 'wiggum', 2203: 'safecracker', 2204: 'softer', 2205: 'edison', 2206: 'coms', 2207: 'design', 2208: 'homeless', 2209: 'pop', 2210: 'measurements', 2211: 'sneeze', 2212: 'filled', 2213: 'whose', 2214: 'choked-up', 2215: 'aziz', 2216: 'cough', 2217: 'chance', 2218: "haven't", 2219: 'apology', 2220: 'treehouse', 2221: 'solid', 2222: 'guide', 2223: 'lisa', 2224: 'noooooooooo', 2225: 'musses', 2226: 'sooner', 2227: 'regret', 2228: 'dump', 2229: 'get', 2230: 'anywhere', 2231: 'met', 2232: 'cap', 2233: "bartender's", 2234: 'lookalikes', 2235: 'go-near-', 2236: 'lend', 2237: 'thousand-year', 2238: 'sincerely', 2239: "it'll", 2240: 'on', 2241: 'informant', 2242: 'vote', 2243: 'grade', 2244: 'inserts', 2245: 'mccall', 2246: 'beings', 2247: 'excuse', 2248: 'loneliness', 2249: 'lump', 2250: 'crap', 2251: 'colorado', 2252: 'mcclure', 2253: 'achem', 2254: 'country', 2255: 'chanting', 2256: 'lee', 2257: 'agh', 2258: 'pro', 2259: 'be', 2260: 'stores', 2261: 'rekindle', 2262: 'doubt', 2263: 'hooch', 2264: 'young_marge:', 2265: 'brow', 2266: 'sighs', 2267: 'telling', 2268: 'disappeared', 2269: 'fierce', 2270: 'fletcherism', 2271: 'geez', 2272: 'i-i', 2273: 'quietly', 2274: 'seat', 2275: 'ears', 2276: 'washed', 2277: 'radio', 2278: 'leonard', 2279: 'juke', 2280: 'nonchalantly', 2281: 'innocence', 2282: 'transylvania', 2283: 'boozehound', 2284: 'election', 2285: 'shush', 2286: 'many', 2287: 'do', 2288: 'freed', 2289: 'mob', 2290: 'usual', 2291: 'certain', 2292: 'grabbing', 2293: 'killing', 2294: 'dungeon', 2295: 'kang:', 2296: 'burns', 2297: 'stadium', 2298: 'suing', 2299: 'release', 2300: 'dramatically', 2301: 'horrors', 2302: 'murdered', 2303: 'al', 2304: 'pantsless', 2305: 'morlocks', 2306: 'dark', 2307: 'contract', 2308: 'dizer', 2309: 'trick', 2310: 'incarcerated', 2311: 'stools', 2312: 'lie', 2313: 'enhance', 2314: 'reasonable', 2315: 'director:', 2316: 'delivery', 2317: 'ram', 2318: 'diminish', 2319: 'spectacular', 2320: 'flayvin', 2321: 'novel', 2322: 'guff', 2323: 'thank', 2324: 'problemo', 2325: 'fortune', 2326: 'dumbbell', 2327: 'locklear', 2328: 'victorious', 2329: 'other', 2330: 'naegle', 2331: 'greatly', 2332: 'walther', 2333: 'process', 2334: 'boyfriend', 2335: 'shhh', 2336: 'libido', 2337: 'mcstagger', 2338: 'long', 2339: "what'sa", 2340: 'tummies', 2341: 'highest', 2342: 'fights', 2343: 'weekly', 2344: 'hah', 2345: 'frogs', 2346: 'men', 2347: 'saying', 2348: 'modest', 2349: 'choice:', 2350: 'donuts', 2351: 'top', 2352: "enjoyin'", 2353: "car's", 2354: 'cage', 2355: 'smelly', 2356: 'murderously', 2357: 'fast-paced', 2358: 'easter', 2359: 'patrons:', 2360: 'remaining', 2361: 'scram', 2362: 'quebec', 2363: 'nfl_narrator:', 2364: 'legs', 2365: 'equal', 2366: 'casual', 2367: 'speech', 2368: "number's", 2369: 'shoo', 2370: 'sharing', 2371: 'wrapped', 2372: 'poker', 2373: 'notorious', 2374: "betsy'll", 2375: 'asks', 2376: 'sigh', 2377: 'such', 2378: 'tree_hoper:', 2379: 'discuss', 2380: 'crotch', 2381: 'yee-ha', 2382: 'fail', 2383: 'dangerous', 2384: 'beast', 2385: 'ourselves', 2386: 'ashamed', 2387: 'susie-q', 2388: 'broadway', 2389: 'indeedy', 2390: 'nectar', 2391: 'showed', 2392: 'cleveland', 2393: 'invited', 2394: 'presto:', 2395: 'wound', 2396: '_marvin_monroe:', 2397: 'kissing', 2398: 'grim', 2399: 'wishing', 2400: 'thousand', 2401: 'militia', 2402: 'bob', 2403: 'roller', 2404: 'schorr', 2405: 'viva', 2406: 'friend:', 2407: 'healthier', 2408: 'funny', 2409: 'tonic', 2410: 'hell', 2411: 'steamed', 2412: 'canyonero', 2413: 'serum', 2414: 'advice', 2415: 'snackie', 2416: 'quimbys:', 2417: 'ore', 2418: 'suru', 2419: "sat's", 2420: 'typing', 2421: 'bars', 2422: 'again', 2423: 'gargoyle', 2424: 'moment', 2425: 'fan', 2426: 'if', 2427: 'rabbits', 2428: 'shelbyville', 2429: 'switched', 2430: 'perverted', 2431: 'that', 2432: 'old_jewish_man:', 2433: 'sweetly', 2434: 'hold', 2435: 'sells', 2436: 'hat', 2437: '_timothy_lovejoy:', 2438: 'loaded', 2439: 'bless', 2440: 'winks', 2441: 'omit', 2442: 'part', 2443: 'stalking', 2444: 'rationalizing', 2445: 'social', 2446: 'steam', 2447: 'nigeria', 2448: 'drives', 2449: 'noticing', 2450: 'sobriety', 2451: 'stretch', 2452: 'keep', 2453: 'women', 2454: 'rookie', 2455: 'melodramatic', 2456: 'jacks', 2457: 'over', 2458: 'pregnancy', 2459: 'catch-phrase', 2460: 'item', 2461: 'seeing', 2462: 'pilsner-pusher', 2463: 'dead', 2464: 'marriage', 2465: 'yello', 2466: 'hank_williams_jr', 2467: 'whoa-ho', 2468: 'so-ng', 2469: 'skinny', 2470: 'event', 2471: 'lloyd:', 2472: "ball's", 2473: 'see', 2474: 'record', 2475: 'bleacher', 2476: 'cut', 2477: 'charged', 2478: "could've", 2479: 'thirty-five', 2480: 'augustus', 2481: 'mellow', 2482: 'regulations', 2483: 'man_at_bar:', 2484: "rasputin's", 2485: 'booger', 2486: 'lover', 2487: 'leaving', 2488: 'county', 2489: 'flowers', 2490: 'small_boy:', 2491: 'ratted', 2492: 'pats', 2493: 'hunky', 2494: 'tabooger', 2495: 'sweetest', 2496: 'deli', 2497: 'someday', 2498: 'bloodiest', 2499: '<left_paren>', 2500: 'bumbling', 2501: 'dads', 2502: 'liser', 2503: 'bottomless', 2504: 'civil', 2505: 'glitz', 2506: 'lousy', 2507: 'crime', 2508: 'alva', 2509: 'sledge-hammer', 2510: 'composer', 2511: 'religion', 2512: 'prime', 2513: 'resenting', 2514: 'rag', 2515: 'proposing', 2516: 'loud', 2517: 'sooo', 2518: 'burglary', 2519: 'year', 2520: "man'd", 2521: 'bank', 2522: 'planet', 2523: 'tons', 2524: 'wussy', 2525: 'dad', 2526: 'salad', 2527: 'tv_husband:', 2528: 'quit', 2529: 'sloppy', 2530: 'sniffs', 2531: 'stay', 2532: 'choose', 2533: 'chest', 2534: 'hour', 2535: 'seven', 2536: 'hygienically', 2537: 'eu', 2538: "mopin'", 2539: 'attractive', 2540: 'scout', 2541: 'elite', 2542: 'laughing', 2543: 'majority', 2544: 'babies', 2545: 'literary', 2546: 'insults', 2547: 'student', 2548: 'games', 2549: 'gift', 2550: 'floating', 2551: 'mustard', 2552: 'wearing', 2553: 'kodos:', 2554: 'casting', 2555: 'needy', 2556: 'insured', 2557: 'indicates', 2558: 'happens', 2559: 'proudly', 2560: 'hairs', 2561: 'anti-intellectualism', 2562: 'exits', 2563: 'pusillanimous', 2564: 'floated', 2565: "s'pose", 2566: 'monster', 2567: 'my-y-y-y-y-y', 2568: "getting'", 2569: 'tale', 2570: "seein'", 2571: 'moe-heads', 2572: 'loafers', 2573: 'pack', 2574: 'kids', 2575: 'twelve-step', 2576: 'cruel', 2577: "she'll", 2578: 'lookalike', 2579: 'impeach', 2580: 'teeth', 2581: 'b', 2582: 'when', 2583: 'more', 2584: 'perfected', 2585: 'button', 2586: 'sadder', 2587: 'awkwardly', 2588: 'want', 2589: 'forget-me-drinks', 2590: 'am', 2591: 'principal', 2592: '/mr', 2593: 'while', 2594: 'pinball', 2595: 'logos', 2596: 'therapy', 2597: 'linda_ronstadt:', 2598: 'witty', 2599: 'admitting', 2600: 'sharps', 2601: 'child', 2602: 'hollywood', 2603: 'mid-conversation', 2604: 'goblins', 2605: 'paste', 2606: 'chunk', 2607: 'eight-year-old', 2608: 'page', 2609: 'veteran', 2610: 'aristotle:', 2611: 'british', 2612: 'clearing', 2613: 'solely', 2614: 'getup', 2615: 'blur', 2616: 'next', 2617: 'reading', 2618: 'sister', 2619: 'shakespeare', 2620: 'dracula', 2621: "i'd", 2622: 'pained', 2623: 'month', 2624: 'large', 2625: 'dig', 2626: 'heartily', 2627: 'sweetie', 2628: 'court', 2629: 'puke-holes', 2630: 'turns', 2631: 'felony', 2632: 'maitre', 2633: 'were', 2634: "shouldn't", 2635: 'federal', 2636: 'protestantism', 2637: 'mount', 2638: 'gimmicks', 2639: "thing's", 2640: 'hurry', 2641: 'anti-lock', 2642: 'cracked', 2643: 'will', 2644: 'wagering', 2645: 'relationship', 2646: 'underwear', 2647: 'four-star', 2648: 'stillwater:', 2649: 'remembered', 2650: 'city', 2651: 'arse', 2652: 'woooooo', 2653: 'gets', 2654: 'hispanic_crowd:', 2655: 'blocked', 2656: 'access', 2657: 'getaway', 2658: 'holding', 2659: 'strangles', 2660: "i'd'a", 2661: 'muscle', 2662: 'absolut', 2663: 'ura', 2664: 'quarter', 2665: 'snaps', 2666: 'box', 2667: 'make', 2668: 'ali', 2669: 'eco-fraud', 2670: 'grandiose', 2671: 'crestfallen', 2672: 'displeased', 2673: 'binoculars', 2674: 'easily', 2675: 'promotion', 2676: 'rash', 2677: 'football'